Welcome to mirror list, hosted at ThFree Co, Russian Federation.

github.com/nextcloud/server.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
diff options
context:
space:
mode:
authorCarl Schwan <carl@carlschwan.eu>2022-09-19 19:02:19 +0300
committerCarl Schwan <carl@carlschwan.eu>2022-09-19 19:02:19 +0300
commit42e796acd6b6e89cbd9253cfb1b7f03b0cd5836c (patch)
treed04169960abfee54b3c518e12c1a4aaee5e29b36
parent9727c020cae7334bd8975f5368c84a8b82ac7d28 (diff)
Profiler for nc15profiler-nc15
-rw-r--r--apps/dav/lib/Profiler/ProfilerPlugin.php47
-rw-r--r--apps/dav/lib/Server.php20
-rw-r--r--apps/user_ldap/lib/DataCollector/LdapDataCollector.php50
-rw-r--r--build/psalm-baseline.xml4726
-rw-r--r--config/config.sample.php8
-rw-r--r--core/templates/layout.user.php2
-rw-r--r--lib/autoloader.php3
-rw-r--r--lib/base.php15
-rw-r--r--lib/private/AppFramework/App.php30
-rw-r--r--lib/private/AppFramework/Utility/SimpleContainer.php4
-rw-r--r--lib/private/Cache/CappedMemoryCache.php4
-rw-r--r--lib/private/Cache/File.php4
-rw-r--r--lib/private/DB/DbDataCollector.php154
-rw-r--r--lib/private/DB/ObjectParameter.php71
-rw-r--r--lib/private/DB/ReconnectWrapper.php12
-rw-r--r--lib/private/Memcache/LoggerWrapperCache.php177
-rw-r--r--lib/private/Memcache/ProfilerWrapperCache.php220
-rw-r--r--lib/private/Profiler/FileProfilerStorage.php286
-rw-r--r--lib/private/Profiler/Profile.php168
-rw-r--r--lib/private/Profiler/Profiler.php105
-rw-r--r--lib/private/Profiler/RoutingDataCollector.php55
-rw-r--r--lib/private/Server.php12
-rw-r--r--lib/public/DataCollector/AbstractDataCollector.php87
-rw-r--r--lib/public/DataCollector/IDataCollector.php55
-rw-r--r--lib/public/Profiler/IProfile.php168
-rw-r--r--lib/public/Profiler/IProfiler.php101
-rw-r--r--tests/.phpunit.result.cache1
-rw-r--r--tests/lib/AppFramework/AppTest.php15
-rw-r--r--tests/lib/Memcache/FactoryTest.php37
29 files changed, 6624 insertions, 13 deletions
diff --git a/apps/dav/lib/Profiler/ProfilerPlugin.php b/apps/dav/lib/Profiler/ProfilerPlugin.php
new file mode 100644
index 00000000000..672ca4010b7
--- /dev/null
+++ b/apps/dav/lib/Profiler/ProfilerPlugin.php
@@ -0,0 +1,47 @@
+<?php declare(strict_types = 1);
+/**
+ * @copyright 2021 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @license AGPL-3.0-or-later
+ *
+ * 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\DAV\Profiler;
+
+use OCP\IRequest;
+use Sabre\DAV\Server;
+use Sabre\HTTP\RequestInterface;
+use Sabre\HTTP\ResponseInterface;
+
+class ProfilerPlugin extends \Sabre\DAV\ServerPlugin {
+ private IRequest $request;
+
+ public function __construct(IRequest $request) {
+ $this->request = $request;
+ }
+
+ /** @return void */
+ public function initialize(Server $server) {
+ $server->on('afterMethod:*', [$this, 'afterMethod']);
+ }
+
+ /** @return void */
+ public function afterMethod(RequestInterface $request, ResponseInterface $response) {
+ $response->addHeader('X-Debug-Token', $this->request->getId());
+ }
+}
diff --git a/apps/dav/lib/Server.php b/apps/dav/lib/Server.php
index c2c903fa198..64f096a5b4f 100644
--- a/apps/dav/lib/Server.php
+++ b/apps/dav/lib/Server.php
@@ -65,6 +65,10 @@ use OCA\DAV\Connector\Sabre\TagsPlugin;
use SearchDAV\DAV\SearchPlugin;
use OCA\DAV\AppInfo\PluginManager;
+use OCP\Profiler\IProfiler;
+use OCA\DAV\Profiler\ProfilerPlugin;
+use OCP\AppFramework\Http\Response;
+
class Server {
/** @var IRequest */
@@ -76,12 +80,21 @@ class Server {
/** @var Connector\Sabre\Server */
public $server;
+ private $profiler;
+
public function __construct(IRequest $request, $baseUri) {
$this->request = $request;
$this->baseUri = $baseUri;
$logger = \OC::$server->getLogger();
$dispatcher = \OC::$server->getEventDispatcher();
+ $this->profiler = \OC::$server->query(IProfiler::class);
+ if ($this->profiler->isEnabled()) {
+ /** @var IEventLogger $eventLogger */
+ $eventLogger = \OC::$server->query(IEventLogger::class);
+ $eventLogger->start('runtime', 'DAV Runtime');
+ }
+
$root = new RootCollection();
$this->server = new \OCA\DAV\Connector\Sabre\Server(new CachingTree($root));
@@ -101,6 +114,7 @@ class Server {
$this->server->httpRequest->setUrl($this->request->getRequestUri());
$this->server->setBaseUri($this->baseUri);
+ $this->server->addPlugin(new ProfilerPlugin($this->request));
$this->server->addPlugin(new BlockLegacyClientPlugin(\OC::$server->getConfig()));
$this->server->addPlugin(new AnonymousOptionsPlugin());
$authPlugin = new Plugin();
@@ -299,6 +313,12 @@ class Server {
public function exec() {
$this->server->exec();
+
+ if ($this->profiler->isEnabled()) {
+ $eventLogger->end('runtime');
+ $profile = $this->profiler->collect(\OC::$server->query(IRequest::class), new Response());
+ $this->profiler->saveProfile($profile);
+ }
}
private function requestIsForSubtree(array $subTrees): bool {
diff --git a/apps/user_ldap/lib/DataCollector/LdapDataCollector.php b/apps/user_ldap/lib/DataCollector/LdapDataCollector.php
new file mode 100644
index 00000000000..cb61de96e37
--- /dev/null
+++ b/apps/user_ldap/lib/DataCollector/LdapDataCollector.php
@@ -0,0 +1,50 @@
+<?php declare(strict_types = 1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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\User_LDAP\DataCollector;
+
+use OC\AppFramework\Http\Request;
+use OCP\AppFramework\Http\Response;
+use OCP\DataCollector\AbstractDataCollector;
+
+class LdapDataCollector extends AbstractDataCollector {
+ public function startLdapRequest(string $query, array $args): void {
+ $this->data[] = [
+ 'start' => microtime(true),
+ 'query' => $query,
+ 'args' => $args,
+ 'end' => microtime(true),
+ ];
+ }
+
+ public function stopLastLdapRequest(): void {
+ $this->data[count($this->data) - 1]['end'] = microtime(true);
+ }
+
+ public function getName(): string {
+ return 'ldap';
+ }
+
+ public function collect(Request $request, Response $response, \Throwable $exception = null): void {
+ }
+}
diff --git a/build/psalm-baseline.xml b/build/psalm-baseline.xml
new file mode 100644
index 00000000000..8884bc18612
--- /dev/null
+++ b/build/psalm-baseline.xml
@@ -0,0 +1,4726 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<files psalm-version="4.18.1@dda05fa913f4dc6eb3386f2f7ce5a45d37a71bcb">
+ <file src="3rdparty/sabre/dav/lib/CalDAV/Calendar.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$calendarData</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="3rdparty/sabre/dav/lib/CalDAV/CalendarHome.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$data</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="3rdparty/sabre/dav/lib/CalDAV/Principal/User.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$data</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="3rdparty/sabre/dav/lib/CardDAV/AddressBook.php">
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>array</code>
+ </LessSpecificImplementedReturnType>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$vcardData</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="3rdparty/sabre/dav/lib/CardDAV/AddressBookHome.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$principalUri</code>
+ </InvalidPropertyAssignmentValue>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$data</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="3rdparty/sabre/dav/lib/DAVACL/AbstractPrincipalCollection.php">
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>array</code>
+ </LessSpecificImplementedReturnType>
+ </file>
+ <file src="apps/cloud_federation_api/lib/Controller/RequestHandlerController.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$e-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <TypeDoesNotContainType occurrences="1">
+ <code>!is_array($notification)</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="apps/comments/lib/Search/Result.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>(int) $comment-&gt;getId()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/contactsinteraction/lib/AddressBook.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($this-&gt;principalUri)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/appinfo/v1/caldav.php">
+ <TooManyArguments occurrences="1">
+ <code>new \Sabre\DAV\Auth\Plugin($authBackend, 'ownCloud')</code>
+ </TooManyArguments>
+ <UndefinedGlobalVariable occurrences="1">
+ <code>$baseuri</code>
+ </UndefinedGlobalVariable>
+ </file>
+ <file src="apps/dav/appinfo/v1/carddav.php">
+ <TooManyArguments occurrences="1">
+ <code>new \Sabre\DAV\Auth\Plugin($authBackend, 'ownCloud')</code>
+ </TooManyArguments>
+ <UndefinedGlobalVariable occurrences="1">
+ <code>$baseuri</code>
+ </UndefinedGlobalVariable>
+ </file>
+ <file src="apps/dav/appinfo/v1/publicwebdav.php">
+ <InternalMethod occurrences="2">
+ <code>\OC\Files\Filesystem::logWarningWhenAddingStorageWrapper($previousLog)</code>
+ <code>\OC\Files\Filesystem::logWarningWhenAddingStorageWrapper(false)</code>
+ </InternalMethod>
+ <UndefinedGlobalVariable occurrences="1">
+ <code>$baseuri</code>
+ </UndefinedGlobalVariable>
+ </file>
+ <file src="apps/dav/appinfo/v1/webdav.php">
+ <InvalidArgument occurrences="1">
+ <code>'OCA\DAV\Connector\Sabre::addPlugin'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedGlobalVariable occurrences="1">
+ <code>$baseuri</code>
+ </UndefinedGlobalVariable>
+ </file>
+ <file src="apps/dav/appinfo/v2/direct.php">
+ <UndefinedGlobalVariable occurrences="1">
+ <code>$baseuri</code>
+ </UndefinedGlobalVariable>
+ </file>
+ <file src="apps/dav/appinfo/v2/remote.php">
+ <UndefinedGlobalVariable occurrences="1">
+ <code>$baseuri</code>
+ </UndefinedGlobalVariable>
+ </file>
+ <file src="apps/dav/bin/chunkperf.php">
+ <InvalidOperand occurrences="1">
+ <code>$argv[5]</code>
+ </InvalidOperand>
+ <InvalidScalarArgument occurrences="1">
+ <code>$chunkSize</code>
+ </InvalidScalarArgument>
+ <MissingFile occurrences="1">
+ <code>require '../../../../3rdparty/autoload.php'</code>
+ </MissingFile>
+ </file>
+ <file src="apps/dav/lib/AppInfo/Application.php">
+ <InvalidArgument occurrences="1"/>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getAppDataDir</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/dav/lib/Avatars/AvatarHome.php">
+ <UndefinedFunction occurrences="1">
+ <code>Uri\split($this-&gt;principalInfo['uri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/BackgroundJob/BuildReminderIndexBackgroundJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/BackgroundJob/EventReminderJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arg</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/BackgroundJob/GenerateBirthdayCalendarBackgroundJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/BackgroundJob/UploadCleanup.php">
+ <InvalidArgument occurrences="1">
+ <code>File</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/dav/lib/CalDAV/BirthdayService.php">
+ <UndefinedMethod occurrences="2">
+ <code>setDateTime</code>
+ <code>setDateTime</code>
+ </UndefinedMethod>
+ <UndefinedPropertyFetch occurrences="4">
+ <code>$existingBirthday-&gt;VEVENT-&gt;DTSTART</code>
+ <code>$existingBirthday-&gt;VEVENT-&gt;SUMMARY</code>
+ <code>$newCalendarData-&gt;VEVENT-&gt;DTSTART</code>
+ <code>$newCalendarData-&gt;VEVENT-&gt;SUMMARY</code>
+ </UndefinedPropertyFetch>
+ </file>
+ <file src="apps/dav/lib/CalDAV/CachedSubscription.php">
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>array</code>
+ </LessSpecificImplementedReturnType>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$calendarData</code>
+ </MoreSpecificImplementedParamType>
+ <ParamNameMismatch occurrences="1">
+ <code>$calendarData</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/CalDAV/CachedSubscriptionObject.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>string|void</code>
+ </ImplementedReturnTypeMismatch>
+ <NullableReturnStatement occurrences="1">
+ <code>$this-&gt;objectData['calendardata']</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="1">
+ <code>$calendarData</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/CalDAV/CalDavBackend.php">
+ <InvalidArgument occurrences="8">
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::createCachedCalendarObject'</code>
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::createSubscription'</code>
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::deleteCachedCalendarObject'</code>
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::deleteSubscription'</code>
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::publishCalendar'</code>
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::updateCachedCalendarObject'</code>
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::updateShares'</code>
+ <code>'\OCA\DAV\CalDAV\CalDavBackend::updateSubscription'</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="2">
+ <code>array</code>
+ <code>array</code>
+ </InvalidNullableReturnType>
+ <MoreSpecificImplementedParamType occurrences="2">
+ <code>$objectData</code>
+ <code>$uris</code>
+ </MoreSpecificImplementedParamType>
+ <NullableReturnStatement occurrences="2">
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <RedundantCast occurrences="1">
+ <code>(int)$calendarId</code>
+ </RedundantCast>
+ <TooManyArguments occurrences="8">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedFunction occurrences="4">
+ <code>Uri\split($principalUri)</code>
+ <code>Uri\split($row['principaluri'])</code>
+ <code>Uri\split($row['principaluri'])</code>
+ <code>Uri\split($row['principaluri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/CalDAV/CalendarHome.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>INode</code>
+ </InvalidNullableReturnType>
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>INode</code>
+ </LessSpecificImplementedReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$calendarPlugin-&gt;getCalendarInCalendarHome($this-&gt;principalInfo['uri'], $calendarUri)</code>
+ </NullableReturnStatement>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>calendarSearch</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/dav/lib/CalDAV/CalendarImpl.php">
+ <UndefinedFunction occurrences="1">
+ <code>uriSplit($this-&gt;calendar-&gt;getPrincipalURI())</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/CalDAV/CalendarRoot.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$principal</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Plugin.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>string|null</code>
+ </ImplementedReturnTypeMismatch>
+ <UndefinedFunction occurrences="3">
+ <code>\Sabre\Uri\split($principalUrl)</code>
+ <code>\Sabre\Uri\split($principalUrl)</code>
+ <code>\Sabre\Uri\split($principalUrl)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Principal/Collection.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$principalInfo</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/CalDAV/PublicCalendar.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$paths</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Publishing/PublishPlugin.php">
+ <InvalidOperand occurrences="2">
+ <code>$canPublish</code>
+ <code>$canShare</code>
+ </InvalidOperand>
+ <InvalidScalarArgument occurrences="2">
+ <code>$canPublish</code>
+ <code>$canShare</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Reminder/NotificationProvider/AbstractProvider.php">
+ <UndefinedMethod occurrences="3">
+ <code>hasTime</code>
+ <code>isFloating</code>
+ <code>isFloating</code>
+ </UndefinedMethod>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Reminder/NotificationProvider/EmailProvider.php">
+ <FalsableReturnStatement occurrences="4">
+ <code>$l10n-&gt;l('date', $dt, ['width' =&gt; 'medium'])</code>
+ <code>$l10n-&gt;l('datetime', $dt, ['width' =&gt; 'medium|short'])</code>
+ <code>$l10n-&gt;l('time', $dt, ['width' =&gt; 'short'])</code>
+ <code>$l10n-&gt;l('weekdayName', $dt, ['width' =&gt; 'abbreviated'])</code>
+ </FalsableReturnStatement>
+ <InvalidReturnStatement occurrences="4">
+ <code>$l10n-&gt;l('date', $dt, ['width' =&gt; 'medium'])</code>
+ <code>$l10n-&gt;l('datetime', $dt, ['width' =&gt; 'medium|short'])</code>
+ <code>$l10n-&gt;l('time', $dt, ['width' =&gt; 'short'])</code>
+ <code>$l10n-&gt;l('weekdayName', $dt, ['width' =&gt; 'abbreviated'])</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="4">
+ <code>string</code>
+ <code>string</code>
+ <code>string</code>
+ <code>string</code>
+ </InvalidReturnType>
+ <UndefinedMethod occurrences="3">
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ <code>isFloating</code>
+ </UndefinedMethod>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Reminder/NotificationProvider/PushProvider.php">
+ <PossiblyInvalidDocblockTag occurrences="1">
+ <code>@var VEvent $vevent</code>
+ </PossiblyInvalidDocblockTag>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Reminder/NotificationProviderManager.php">
+ <UndefinedConstant occurrences="1">
+ <code>$provider::NOTIFICATION_TYPE</code>
+ </UndefinedConstant>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Reminder/Notifier.php">
+ <FalsableReturnStatement occurrences="4">
+ <code>$this-&gt;l10n-&gt;l('date', $dt, ['width' =&gt; 'medium'])</code>
+ <code>$this-&gt;l10n-&gt;l('datetime', $dt, ['width' =&gt; 'medium|short'])</code>
+ <code>$this-&gt;l10n-&gt;l('time', $dt, ['width' =&gt; 'short'])</code>
+ <code>$this-&gt;l10n-&gt;l('weekdayName', $dt, ['width' =&gt; 'abbreviated'])</code>
+ </FalsableReturnStatement>
+ <InvalidReturnStatement occurrences="4">
+ <code>$this-&gt;l10n-&gt;l('date', $dt, ['width' =&gt; 'medium'])</code>
+ <code>$this-&gt;l10n-&gt;l('datetime', $dt, ['width' =&gt; 'medium|short'])</code>
+ <code>$this-&gt;l10n-&gt;l('time', $dt, ['width' =&gt; 'short'])</code>
+ <code>$this-&gt;l10n-&gt;l('weekdayName', $dt, ['width' =&gt; 'abbreviated'])</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="4">
+ <code>string</code>
+ <code>string</code>
+ <code>string</code>
+ <code>string</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Reminder/ReminderService.php">
+ <UndefinedMethod occurrences="3">
+ <code>getDateInterval</code>
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ </UndefinedMethod>
+ <UndefinedPropertyFetch occurrences="1">
+ <code>$valarm-&gt;parent-&gt;UID</code>
+ </UndefinedPropertyFetch>
+ </file>
+ <file src="apps/dav/lib/CalDAV/ResourceBooking/AbstractPrincipalBackend.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>array</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>$principals</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string[]</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="2">
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <UndefinedFunction occurrences="2">
+ <code>\Sabre\Uri\split($path)</code>
+ <code>\Sabre\Uri\split($path)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Schedule/IMipPlugin.php">
+ <ImplicitToStringCast occurrences="2">
+ <code>$vevent-&gt;LOCATION</code>
+ <code>$vevent-&gt;SUMMARY</code>
+ </ImplicitToStringCast>
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$lang-&gt;getValue()</code>
+ </NullableReturnStatement>
+ <UndefinedMethod occurrences="10">
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ <code>hasTime</code>
+ <code>hasTime</code>
+ <code>isFloating</code>
+ <code>isFloating</code>
+ <code>isFloating</code>
+ </UndefinedMethod>
+ <UndefinedPropertyFetch occurrences="1">
+ <code>$iTipMessage-&gt;message-&gt;VEVENT-&gt;SUMMARY</code>
+ </UndefinedPropertyFetch>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Schedule/Plugin.php">
+ <InvalidArgument occurrences="2">
+ <code>[$aclPlugin, 'propFind']</code>
+ <code>[$aclPlugin, 'propFind']</code>
+ </InvalidArgument>
+ <UndefinedFunction occurrences="1">
+ <code>split($principalUrl)</code>
+ </UndefinedFunction>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>get</code>
+ <code>getChildren</code>
+ </UndefinedInterfaceMethod>
+ <UndefinedMethod occurrences="5">
+ <code>getDateTime</code>
+ <code>hasTime</code>
+ <code>isFloating</code>
+ <code>isFloating</code>
+ <code>principalSearch</code>
+ </UndefinedMethod>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Search/SearchPlugin.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidNullableReturnType>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Search/Xml/Filter/ParamFilter.php">
+ <InvalidReturnStatement occurrences="1"/>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/dav/lib/CalDAV/Search/Xml/Request/CalendarSearchReport.php">
+ <TypeDoesNotContainType occurrences="3">
+ <code>!is_array($newProps['filters']['comps'])</code>
+ <code>!is_array($newProps['filters']['params'])</code>
+ <code>!is_array($newProps['filters']['props'])</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="apps/dav/lib/CalDAV/WebcalCaching/RefreshWebcalService.php">
+ <InvalidArgument occurrences="1">
+ <code>$webcalData</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/dav/lib/CardDAV/AddressBookImpl.php">
+ <InvalidArgument occurrences="1">
+ <code>$id</code>
+ </InvalidArgument>
+ <InvalidScalarArgument occurrences="2">
+ <code>$this-&gt;getKey()</code>
+ <code>$this-&gt;getKey()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/dav/lib/CardDAV/AddressBookRoot.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$principal</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/CardDAV/CardDavBackend.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidArgument occurrences="3">
+ <code>'\OCA\DAV\CardDAV\CardDavBackend::createCard'</code>
+ <code>'\OCA\DAV\CardDAV\CardDavBackend::deleteCard'</code>
+ <code>'\OCA\DAV\CardDAV\CardDavBackend::updateCard'</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="1">
+ <code>array</code>
+ </InvalidNullableReturnType>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$uris</code>
+ </MoreSpecificImplementedParamType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="1">
+ <code>$addressBookId</code>
+ </ParamNameMismatch>
+ <RedundantCast occurrences="1">
+ <code>(int)$addressBookId</code>
+ </RedundantCast>
+ <TooManyArguments occurrences="3">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ <TypeDoesNotContainType occurrences="1">
+ <code>$addressBooks[$row['id']][$readOnlyPropertyName] === 0</code>
+ </TypeDoesNotContainType>
+ <UndefinedFunction occurrences="2">
+ <code>\Sabre\Uri\split($principalUri)</code>
+ <code>\Sabre\Uri\split($row['principaluri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/CardDAV/MultiGetExportPlugin.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidNullableReturnType>
+ </file>
+ <file src="apps/dav/lib/CardDAV/PhotoCache.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$type</code>
+ </NullableReturnStatement>
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\URI\parse($val)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/CardDAV/Plugin.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>string|null</code>
+ </ImplementedReturnTypeMismatch>
+ <UndefinedFunction occurrences="3">
+ <code>\Sabre\Uri\split($principal)</code>
+ <code>\Sabre\Uri\split($principal)</code>
+ <code>\Sabre\Uri\split($principal)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/CardDAV/SyncService.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$targetBookId</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/dav/lib/CardDAV/UserAddressBooks.php">
+ <InvalidArgument occurrences="2">
+ <code>$this-&gt;principalUri</code>
+ <code>$this-&gt;principalUri</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/dav/lib/CardDAV/Xml/Groups.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$groups</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="apps/dav/lib/Comments/CommentNode.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/dav/lib/Comments/CommentsPlugin.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$args['datetime']</code>
+ <code>200</code>
+ </InvalidScalarArgument>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\HTTP\toDate($value)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Comments/EntityCollection.php">
+ <InvalidArgument occurrences="1">
+ <code>$value</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/dav/lib/Comments/EntityTypeCollection.php">
+ <TypeDoesNotContainType occurrences="1">
+ <code>!is_string($name)</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="apps/dav/lib/Comments/RootCollection.php">
+ <InvalidArgument occurrences="1">
+ <code>CommentsEntityEvent::EVENT_ENTITY</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="2">
+ <code>\Sabre\DAV\INode[]</code>
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="2">
+ <code>$this-&gt;entityTypeCollections</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/dav/lib/Connector/LegacyDAVACL.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($principal)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/AnonymousOptionsPlugin.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidNullableReturnType>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/AppEnabledPlugin.php">
+ <InvalidReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/BearerAuth.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>tryTokenLogin</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/CommentPropertiesPlugin.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$node-&gt;getId()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/Directory.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$nodes</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;dirContent</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>\Sabre\DAV\INode[]</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="1">
+ <code>$e-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <NullArgument occurrences="3">
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ </NullArgument>
+ <ParamNameMismatch occurrences="1">
+ <code>$fullSourcePath</code>
+ </ParamNameMismatch>
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($sourceNode-&gt;getPath())</code>
+ </UndefinedFunction>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>$info</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/FakeLockerPlugin.php">
+ <TooManyArguments occurrences="1">
+ <code>new SupportedLock(true)</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/File.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$data</code>
+ </MoreSpecificImplementedParamType>
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($this-&gt;path)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/FilesPlugin.php">
+ <UndefinedFunction occurrences="3">
+ <code>\Sabre\Uri\split($destination)</code>
+ <code>\Sabre\Uri\split($filePath)</code>
+ <code>\Sabre\Uri\split($source)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/FilesReportPlugin.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidNullableReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>0</code>
+ <code>200</code>
+ </InvalidScalarArgument>
+ <NullableReturnStatement occurrences="1">
+ <code>$resultFileIds</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>new PreconditionFailed('Cannot filter by non-existing tag', 0, $e)</code>
+ </TooManyArguments>
+ <UndefinedClass occurrences="1">
+ <code>\OCA\Circles\Api\v1\Circles</code>
+ </UndefinedClass>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>getById</code>
+ <code>getPath</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/Node.php">
+ <InvalidArgument occurrences="1">
+ <code>$this</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="2">
+ <code>int</code>
+ <code>integer</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="2">
+ <code>$this-&gt;info-&gt;getId()</code>
+ <code>$this-&gt;info-&gt;getId()</code>
+ </NullableReturnStatement>
+ <UndefinedFunction occurrences="2">
+ <code>\Sabre\Uri\split($name)</code>
+ <code>\Sabre\Uri\split($this-&gt;path)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/ObjectTree.php">
+ <UndefinedFunction occurrences="3">
+ <code>\Sabre\Uri\split($destinationPath)</code>
+ <code>\Sabre\Uri\split($destinationPath)</code>
+ <code>\Sabre\Uri\split($path)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/Principal.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>array</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>$principals</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string[]</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="8">
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <UndefinedClass occurrences="2">
+ <code>\OCA\Circles\Api\v1\Circles</code>
+ <code>\OCA\Circles\Api\v1\Circles</code>
+ </UndefinedClass>
+ <UndefinedFunction occurrences="4">
+ <code>\Sabre\Uri\split($path)</code>
+ <code>\Sabre\Uri\split($prefix)</code>
+ <code>\Sabre\Uri\split($principal)</code>
+ <code>\Sabre\Uri\split($principal)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/QuotaPlugin.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($path)</code>
+ </UndefinedFunction>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>getPath</code>
+ <code>getPath</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/ServerFactory.php">
+ <TooManyArguments occurrences="1">
+ <code>new \OCA\DAV\Connector\Sabre\QuotaPlugin($view, true)</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/ShareTypeList.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$shareType</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/ShareeList.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$share-&gt;getShareType()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/SharesPlugin.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($sabreNode-&gt;getPath())</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Connector/Sabre/TagsPlugin.php">
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getId</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/dav/lib/Controller/InvitationResponseController.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$guests</code>
+ </InvalidScalarArgument>
+ <UndefinedPropertyAssignment occurrences="1">
+ <code>$vEvent-&gt;DTSTAMP</code>
+ </UndefinedPropertyAssignment>
+ <UndefinedPropertyFetch occurrences="1">
+ <code>$vEvent-&gt;{'ATTENDEE'}</code>
+ </UndefinedPropertyFetch>
+ </file>
+ <file src="apps/dav/lib/DAV/CustomPropertiesBackend.php">
+ <InvalidArgument occurrences="1">
+ <code>$whereValues</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/dav/lib/DAV/GroupPrincipalBackend.php">
+ <InvalidNullableReturnType occurrences="2">
+ <code>array</code>
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>$principals</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string[]</code>
+ </InvalidReturnType>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$members</code>
+ </MoreSpecificImplementedParamType>
+ <NullableReturnStatement occurrences="7">
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/dav/lib/DAV/Sharing/Backend.php">
+ <InvalidArrayOffset occurrences="4">
+ <code>$element['href']</code>
+ <code>$element['href']</code>
+ <code>$element['href']</code>
+ <code>$element['readOnly']</code>
+ </InvalidArrayOffset>
+ </file>
+ <file src="apps/dav/lib/DAV/SystemPrincipalBackend.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>array</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($principal)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Direct/Server.php">
+ <UndefinedThisPropertyAssignment occurrences="1">
+ <code>$this-&gt;enablePropfindDepthInfinityf</code>
+ </UndefinedThisPropertyAssignment>
+ </file>
+ <file src="apps/dav/lib/Files/BrowserErrorPagePlugin.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$body</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/dav/lib/Files/FileSearchBackend.php">
+ <InvalidArgument occurrences="2">
+ <code>$argument</code>
+ <code>$operator-&gt;arguments</code>
+ </InvalidArgument>
+ <InvalidReturnStatement occurrences="1">
+ <code>$value</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>?string</code>
+ </InvalidReturnType>
+ <ParamNameMismatch occurrences="1">
+ <code>$search</code>
+ </ParamNameMismatch>
+ <UndefinedDocblockClass occurrences="1">
+ <code>$operator-&gt;arguments[0]-&gt;name</code>
+ </UndefinedDocblockClass>
+ <UndefinedPropertyFetch occurrences="1">
+ <code>$operator-&gt;arguments[0]-&gt;name</code>
+ </UndefinedPropertyFetch>
+ </file>
+ <file src="apps/dav/lib/Files/FilesHome.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($this-&gt;principalInfo['uri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Files/LazySearchBackend.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;backend-&gt;getArbiterPath()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>isValidScope</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/dav/lib/Files/RootCollection.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($principalInfo['uri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/HookManager.php">
+ <InvalidPropertyAssignmentValue occurrences="2">
+ <code>$this-&gt;usersToDelete</code>
+ <code>$this-&gt;usersToDelete</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="apps/dav/lib/Listener/CalendarDeletionDefaultUpdaterListener.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($principalUri)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Migration/BuildCalendarSearchIndexBackgroundJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/Migration/BuildSocialSearchIndexBackgroundJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/RootCollection.php">
+ <UndefinedPropertyAssignment occurrences="1">
+ <code>$publicCalendarRoot-&gt;disableListing</code>
+ </UndefinedPropertyAssignment>
+ </file>
+ <file src="apps/dav/lib/Search/EventsSearchProvider.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$this-&gt;l10n-&gt;l('date', $startDateTime, ['width' =&gt; 'medium'])</code>
+ </FalsableReturnStatement>
+ <InvalidPropertyAssignmentValue occurrences="1"/>
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;l10n-&gt;l('date', $startDateTime, ['width' =&gt; 'medium'])</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ <UndefinedMethod occurrences="5">
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ <code>hasTime</code>
+ <code>isFloating</code>
+ <code>isFloating</code>
+ </UndefinedMethod>
+ </file>
+ <file src="apps/dav/lib/Search/TasksSearchProvider.php">
+ <UndefinedMethod occurrences="3">
+ <code>getDateTime</code>
+ <code>getDateTime</code>
+ <code>hasTime</code>
+ </UndefinedMethod>
+ </file>
+ <file src="apps/dav/lib/Server.php">
+ <InvalidArgument occurrences="2">
+ <code>'OCA\DAV\Connector\Sabre::addPlugin'</code>
+ <code>'OCA\DAV\Connector\Sabre::authInit'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="2">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/dav/lib/SystemTag/SystemTagsByIdCollection.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/dav/lib/SystemTag/SystemTagsObjectMappingCollection.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="2">
+ <code>$tagId</code>
+ <code>$tagName</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/SystemTag/SystemTagsObjectTypeCollection.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="1">
+ <code>$objectName</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/dav/lib/SystemTag/SystemTagsRelationsCollection.php">
+ <InvalidArgument occurrences="1">
+ <code>SystemTagsEntityEvent::EVENT_ENTITY</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/dav/lib/Traits/PrincipalProxyTrait.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$members</code>
+ </MoreSpecificImplementedParamType>
+ <UndefinedFunction occurrences="9">
+ <code>\Sabre\Uri\split($member)</code>
+ <code>\Sabre\Uri\split($principal)</code>
+ <code>\Sabre\Uri\split($principal)</code>
+ <code>\Sabre\Uri\split($principalUri)</code>
+ <code>\Sabre\Uri\split($principalUri)</code>
+ <code>\Sabre\Uri\split($principalUri)</code>
+ <code>\Sabre\Uri\split($principalUri)</code>
+ <code>\Sabre\Uri\split($principalUri)</code>
+ <code>\Sabre\Uri\split($realPrincipalUri)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/dav/lib/Upload/AssemblyStream.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$this-&gt;currentStream</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$context</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>array</code>
+ </InvalidReturnType>
+ <RedundantFunctionCall occurrences="1">
+ <code>array_values</code>
+ </RedundantFunctionCall>
+ </file>
+ <file src="apps/dav/lib/Upload/UploadHome.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($this-&gt;principalInfo['uri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/encryption/lib/Command/FixEncryptedVersion.php">
+ <TypeDoesNotContainNull occurrences="1">
+ <code>$user === null</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="apps/encryption/lib/Command/ScanLegacyFormat.php">
+ <InvalidOperand occurrences="1">
+ <code>$this-&gt;scanFolder($output, '/' . $user)</code>
+ </InvalidOperand>
+ </file>
+ <file src="apps/encryption/lib/Crypto/Crypt.php">
+ <RedundantCondition occurrences="2">
+ <code>$userSession</code>
+ <code>$userSession</code>
+ </RedundantCondition>
+ <TypeDoesNotContainType occurrences="2">
+ <code>get_class($res) === 'OpenSSLAsymmetricKey'</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="apps/encryption/lib/Crypto/EncryptAll.php">
+ <UndefinedInterfaceMethod occurrences="3">
+ <code>setHtmlBody</code>
+ <code>setPlainBody</code>
+ <code>setSubject</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/encryption/lib/Crypto/Encryption.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$result</code>
+ </FalsableReturnStatement>
+ <ImplementedParamTypeMismatch occurrences="2">
+ <code>$position</code>
+ <code>$position</code>
+ </ImplementedParamTypeMismatch>
+ <InvalidNullableReturnType occurrences="1">
+ <code>boolean</code>
+ </InvalidNullableReturnType>
+ </file>
+ <file src="apps/encryption/lib/KeyManager.php">
+ <InvalidScalarArgument occurrences="3">
+ <code>time()</code>
+ <code>time()</code>
+ <code>time()</code>
+ </InvalidScalarArgument>
+ <InvalidThrow occurrences="1">
+ <code>throw $exception;</code>
+ </InvalidThrow>
+ </file>
+ <file src="apps/encryption/lib/Recovery.php">
+ <InvalidScalarArgument occurrences="3">
+ <code>0</code>
+ <code>0</code>
+ <code>1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/encryption/lib/Session.php">
+ <TooManyArguments occurrences="1">
+ <code>new Exceptions\PrivateKeyMissingException('please try to log-out and log-in again', 0)</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/encryption/lib/Util.php">
+ <RedundantCondition occurrences="2">
+ <code>$userSession</code>
+ <code>$userSession</code>
+ </RedundantCondition>
+ </file>
+ <file src="apps/federatedfilesharing/lib/Controller/RequestHandlerController.php">
+ <InvalidScalarArgument occurrences="7">
+ <code>$id</code>
+ <code>$id</code>
+ <code>$id</code>
+ <code>$id</code>
+ <code>$id</code>
+ <code>$id</code>
+ <code>$remoteId</code>
+ </InvalidScalarArgument>
+ <TypeDoesNotContainNull occurrences="3">
+ <code>$permission === null</code>
+ <code>$remoteId === null</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="apps/federatedfilesharing/lib/FederatedShareProvider.php">
+ <InvalidScalarArgument occurrences="5">
+ <code>$shareId</code>
+ <code>$shareId</code>
+ <code>$shareId</code>
+ <code>$shareId</code>
+ <code>(int)$data['id']</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/federatedfilesharing/lib/Notifications.php">
+ <InvalidReturnType occurrences="3">
+ <code>bool</code>
+ <code>bool</code>
+ <code>bool</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/federatedfilesharing/lib/OCM/CloudFederationProviderFiles.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$shareId</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="5">
+ <code>$id</code>
+ <code>$id</code>
+ <code>$id</code>
+ <code>$id</code>
+ <code>(int)$share['id']</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/federatedfilesharing/lib/Settings/Personal.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/federation/lib/TrustedServers.php">
+ <InvalidArgument occurrences="1">
+ <code>'OCP\Federation\TrustedServerEvent::remove'</code>
+ </InvalidArgument>
+ <InvalidClass occurrences="1">
+ <code>dbHandler</code>
+ </InvalidClass>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files/ajax/download.php">
+ <InvalidArgument occurrences="1">
+ <code>$files_list</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/files/appinfo/routes.php">
+ <InvalidScope occurrences="2">
+ <code>$this</code>
+ <code>$this</code>
+ </InvalidScope>
+ </file>
+ <file src="apps/files/lib/Activity/Provider.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$this-&gt;fileEncrypted[$fileId]</code>
+ </FalsableReturnStatement>
+ <InvalidScalarArgument occurrences="1">
+ <code>$id</code>
+ </InvalidScalarArgument>
+ <TypeDoesNotContainType occurrences="7">
+ <code>$this-&gt;fileIsEncrypted</code>
+ <code>$this-&gt;fileIsEncrypted</code>
+ <code>$this-&gt;fileIsEncrypted</code>
+ <code>$this-&gt;fileIsEncrypted</code>
+ <code>$this-&gt;fileIsEncrypted</code>
+ <code>$this-&gt;fileIsEncrypted</code>
+ <code>$this-&gt;fileIsEncrypted</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="apps/files/lib/App.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>10 * 1024 * 1024</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files/lib/Command/Scan.php">
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/files/lib/Command/ScanAppData.php">
+ <NullArgument occurrences="2">
+ <code>null</code>
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/files/lib/Command/TransferOwnership.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$e-&gt;getCode() !== 0 ? $e-&gt;getCode() : 1</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>int</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files/lib/Controller/DirectEditingController.php">
+ <InvalidArgument occurrences="1">
+ <code>$templateId</code>
+ </InvalidArgument>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>getTemplates</code>
+ <code>open</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files/lib/Controller/ViewController.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$fileId</code>
+ </InvalidScalarArgument>
+ <UndefinedInterfaceMethod occurrences="3">
+ <code>getById</code>
+ <code>getRelativePath</code>
+ <code>getRelativePath</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files/lib/Helper.php">
+ <UndefinedInterfaceMethod occurrences="13">
+ <code>$file</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ <code>$i</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files/lib/Listener/LegacyLoadAdditionalScriptsAdapter.php">
+ <InvalidArgument occurrences="1">
+ <code>$legacyEvent</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/files/lib/Service/DirectEditingService.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getEditors</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files/lib/Service/OwnershipTransferService.php">
+ <InvalidIterator occurrences="1">
+ <code>$encryptedFiles</code>
+ </InvalidIterator>
+ <TypeDoesNotContainType occurrences="1">
+ <code>empty($encryptedFiles)</code>
+ </TypeDoesNotContainType>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>isReadyForUser</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files/lib/Service/TagService.php">
+ <InvalidArgument occurrences="1">
+ <code>self::class . '::' . $eventName</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files_external/appinfo/routes.php">
+ <InvalidScope occurrences="1">
+ <code>$this</code>
+ </InvalidScope>
+ </file>
+ <file src="apps/files_external/lib/Command/Delete.php">
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/files_external/lib/Command/ListCommand.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$userId</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files_external/lib/Command/Notify.php">
+ <InvalidArgument occurrences="1">
+ <code>$storage</code>
+ </InvalidArgument>
+ <InvalidReturnStatement occurrences="1"/>
+ <InvalidReturnType occurrences="1">
+ <code>int</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="1">
+ <code>\OC_Util::normalizeUnicode($parent)</code>
+ </InvalidScalarArgument>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>isConnected</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files_external/lib/Command/Verify.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$e-&gt;getCode()</code>
+ <code>$status</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files_external/lib/Config/ConfigAdapter.php">
+ <UndefinedClass occurrences="1">
+ <code>new $objectClass($objectStore)</code>
+ </UndefinedClass>
+ </file>
+ <file src="apps/files_external/lib/Controller/StoragesController.php">
+ <InvalidScalarArgument occurrences="4">
+ <code>$e-&gt;getCode()</code>
+ <code>$status</code>
+ <code>$this-&gt;service-&gt;getVisibilityType()</code>
+ <code>$this-&gt;service-&gt;getVisibilityType()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files_external/lib/Controller/UserGlobalStoragesController.php">
+ <UndefinedMethod occurrences="1">
+ <code>getUniqueStorages</code>
+ </UndefinedMethod>
+ </file>
+ <file src="apps/files_external/lib/Lib/Auth/Password/LoginCredentials.php">
+ <InvalidArgument occurrences="2">
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/files_external/lib/Lib/Backend/Backend.php">
+ <InvalidReturnType occurrences="1">
+ <code>self</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_external/lib/Lib/FrontendDefinitionTrait.php">
+ <UndefinedClass occurrences="2">
+ <code>FrontendDefinitionTrait</code>
+ <code>FrontendDefinitionTrait</code>
+ </UndefinedClass>
+ </file>
+ <file src="apps/files_external/lib/Lib/IdentifierTrait.php">
+ <UndefinedDocblockClass occurrences="2">
+ <code>$this-&gt;deprecateTo</code>
+ <code>IdentifierTrait</code>
+ </UndefinedDocblockClass>
+ </file>
+ <file src="apps/files_external/lib/Lib/LegacyDependencyCheckPolyfill.php">
+ <TooManyArguments occurrences="1">
+ <code>new MissingDependency($module, $this)</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files_external/lib/Lib/PriorityTrait.php">
+ <UndefinedClass occurrences="2">
+ <code>PriorityTrait</code>
+ <code>PriorityTrait</code>
+ </UndefinedClass>
+ </file>
+ <file src="apps/files_external/lib/Lib/Storage/AmazonS3.php">
+ <UndefinedMagicMethod occurrences="1">
+ <code>clearBucket</code>
+ </UndefinedMagicMethod>
+ </file>
+ <file src="apps/files_external/lib/Lib/Storage/SFTP.php">
+ <InternalMethod occurrences="1">
+ <code>put</code>
+ </InternalMethod>
+ <ParamNameMismatch occurrences="2">
+ <code>$source</code>
+ <code>$target</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/files_external/lib/Lib/Storage/SFTPReadStream.php">
+ <InvalidArgument occurrences="2">
+ <code>$this-&gt;handle</code>
+ <code>$this-&gt;handle</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="1">
+ <code>stream_close</code>
+ </InvalidNullableReturnType>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>substr($response, 4)</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$context</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>array</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_external/lib/Lib/Storage/SFTPWriteStream.php">
+ <InvalidArgument occurrences="2">
+ <code>$this-&gt;handle</code>
+ <code>$this-&gt;handle</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="1">
+ <code>stream_close</code>
+ </InvalidNullableReturnType>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>substr($response, 4)</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$context</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>array</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_external/lib/Lib/Storage/SMB.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>new CappedMemoryCache()</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidScalarArgument occurrences="7">
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <ParamNameMismatch occurrences="2">
+ <code>$source</code>
+ <code>$target</code>
+ </ParamNameMismatch>
+ <TooManyArguments occurrences="2">
+ <code>rename</code>
+ <code>rename</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files_external/lib/Lib/Storage/Swift.php">
+ <InvalidArgument occurrences="1">
+ <code>$object-&gt;lastModified</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="2">
+ <code>filetype</code>
+ <code>fopen</code>
+ </InvalidNullableReturnType>
+ </file>
+ <file src="apps/files_external/lib/Migration/DummyUserSession.php">
+ <InvalidReturnType occurrences="1">
+ <code>login</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_external/lib/MountConfig.php">
+ <InternalMethod occurrences="4">
+ <code>decrypt</code>
+ <code>encrypt</code>
+ <code>setIV</code>
+ <code>setIV</code>
+ </InternalMethod>
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$message</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>test</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files_external/lib/Service/BackendService.php">
+ <InvalidArgument occurrences="1">
+ <code>'OCA\\Files_External::loadAdditionalBackends'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files_external/lib/Service/DBConfigService.php">
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/files_external/lib/Service/GlobalStoragesService.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>BackendService::VISIBILITY_ADMIN</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_external/lib/Service/LegacyStoragesService.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$configId</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files_external/lib/Service/StoragesService.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$this-&gt;getVisibilityType()</code>
+ <code>$this-&gt;getVisibilityType()</code>
+ </InvalidScalarArgument>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getStorageCache</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files_external/lib/Service/UserStoragesService.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>BackendService::VISIBILITY_PERSONAL</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_external/templates/settings.php">
+ <UndefinedVariable occurrences="1">
+ <code>$_</code>
+ </UndefinedVariable>
+ </file>
+ <file src="apps/files_sharing/lib/AppInfo/Application.php">
+ <InvalidArgument occurrences="6">
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/files_sharing/lib/Cache.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/files_sharing/lib/Capabilities.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>Constants::PERMISSION_ALL</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files_sharing/lib/Collaboration/ShareRecipientSorter.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getUserFolder</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files_sharing/lib/Controller/ShareAPIController.php">
+ <InvalidOperand occurrences="1">
+ <code>$permissions</code>
+ </InvalidOperand>
+ <InvalidScalarArgument occurrences="3">
+ <code>$code</code>
+ <code>$code</code>
+ <code>Constants::PERMISSION_ALL</code>
+ </InvalidScalarArgument>
+ <RedundantCondition occurrences="1">
+ <code>$permissions &amp; Constants::PERMISSION_READ</code>
+ </RedundantCondition>
+ <UndefinedClass occurrences="2">
+ <code>\OCA\Circles\Api\v1\Circles</code>
+ <code>\OCA\Circles\Api\v1\Circles</code>
+ </UndefinedClass>
+ <UndefinedDocblockClass occurrences="4">
+ <code>$this-&gt;getRoomShareHelper()</code>
+ <code>$this-&gt;getRoomShareHelper()</code>
+ <code>$this-&gt;getRoomShareHelper()</code>
+ <code>\OCA\Talk\Share\Helper\ShareAPIController</code>
+ </UndefinedDocblockClass>
+ </file>
+ <file src="apps/files_sharing/lib/Controller/ShareController.php">
+ <InvalidArgument occurrences="1">
+ <code>$files_list</code>
+ </InvalidArgument>
+ <InvalidScalarArgument occurrences="3">
+ <code>$freeSpace</code>
+ <code>$maxUploadFilesize</code>
+ <code>$maxUploadFilesize</code>
+ </InvalidScalarArgument>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/files_sharing/lib/Controller/ShareInfoController.php">
+ <NullArgument occurrences="1">
+ <code>$password</code>
+ </NullArgument>
+ </file>
+ <file src="apps/files_sharing/lib/External/Cache.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$id</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/files_sharing/lib/External/Manager.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>(int) $remoteShare</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files_sharing/lib/External/Mount.php">
+ <InvalidDocblock occurrences="1">
+ <code>public function removeMount() {</code>
+ </InvalidDocblock>
+ </file>
+ <file src="apps/files_sharing/lib/External/Scanner.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$cacheData</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="apps/files_sharing/lib/External/Storage.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;getPermissions($path) &amp; Constants::PERMISSION_SHARE</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>isSharable</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_sharing/lib/Listener/LegacyBeforeTemplateRenderedListener.php">
+ <InvalidArgument occurrences="1">
+ <code>$legacyEvent</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/files_sharing/lib/Middleware/SharingCheckMiddleware.php">
+ <InvalidArgument occurrences="1">
+ <code>$exception-&gt;getMessage()</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/files_sharing/lib/MountProvider.php">
+ <RedundantFunctionCall occurrences="1">
+ <code>array_values</code>
+ </RedundantFunctionCall>
+ </file>
+ <file src="apps/files_sharing/lib/ShareBackend/File.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$itemSource</code>
+ <code>$itemSource</code>
+ </InvalidScalarArgument>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$shareWith</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="apps/files_sharing/lib/ShareBackend/Folder.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>fetchRow</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files_sharing/lib/SharedMount.php">
+ <InvalidReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_sharing/lib/SharedStorage.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$this-&gt;sourceRootInfo</code>
+ </FalsableReturnStatement>
+ <InvalidNullableReturnType occurrences="1">
+ <code>ICacheEntry</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>new FailedCache()</code>
+ </InvalidReturnStatement>
+ <NullableReturnStatement occurrences="1">
+ <code>$this-&gt;sourceRootInfo</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="2">
+ <code>$available</code>
+ <code>$target</code>
+ </ParamNameMismatch>
+ <UndefinedThisPropertyAssignment occurrences="1">
+ <code>$this-&gt;mountOptions</code>
+ </UndefinedThisPropertyAssignment>
+ </file>
+ <file src="apps/files_sharing/lib/Updater.php">
+ <UndefinedMethod occurrences="1">
+ <code>moveMount</code>
+ </UndefinedMethod>
+ </file>
+ <file src="apps/files_sharing/list.php">
+ <InvalidArgument occurrences="1">
+ <code>'\OCP\Collaboration\Resources::loadAdditionalScripts'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files_trashbin/lib/Sabre/AbstractTrash.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$this-&gt;data-&gt;getId()</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/files_trashbin/lib/Sabre/AbstractTrashFolder.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$entry</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>ITrash</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_trashbin/lib/Sabre/RestoreFolder.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>getChild</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/files_trashbin/lib/Sabre/RootCollection.php">
+ <MismatchingDocblockReturnType occurrences="1">
+ <code>INode</code>
+ </MismatchingDocblockReturnType>
+ </file>
+ <file src="apps/files_trashbin/lib/Sabre/TrashHome.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($this-&gt;principalInfo['uri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/files_trashbin/lib/Sabre/TrashRoot.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$entry</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>ITrash</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/files_trashbin/lib/Storage.php">
+ <InvalidArgument occurrences="1">
+ <code>'OCA\Files_Trashbin::moveToTrash'</code>
+ </InvalidArgument>
+ <InvalidOperand occurrences="1">
+ <code>$this-&gt;mountPoint</code>
+ </InvalidOperand>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/files_trashbin/lib/Trash/LegacyTrashBackend.php">
+ <RedundantCondition occurrences="2">
+ <code>$trashFiles</code>
+ <code>$trashFiles</code>
+ </RedundantCondition>
+ <TypeDoesNotContainType occurrences="1">
+ <code>null</code>
+ </TypeDoesNotContainType>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>$file</code>
+ <code>getById</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/files_trashbin/lib/Trashbin.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidScalarArgument occurrences="2">
+ <code>$timestamp</code>
+ <code>$timestamp</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/files_versions/appinfo/routes.php">
+ <InvalidScope occurrences="2">
+ <code>$this</code>
+ <code>$this</code>
+ </InvalidScope>
+ </file>
+ <file src="apps/files_versions/lib/Sabre/RestoreFolder.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>getChild</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/files_versions/lib/Sabre/RootCollection.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($principalInfo['uri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/files_versions/lib/Sabre/VersionHome.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>getChild</code>
+ </InvalidNullableReturnType>
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($this-&gt;principalInfo['uri'])</code>
+ </UndefinedFunction>
+ </file>
+ <file src="apps/files_versions/lib/Storage.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$timestamp</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/lookup_server_connector/lib/BackgroundJobs/RetryJob.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$this-&gt;retries + 1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/oauth2/lib/Controller/OauthApiController.php">
+ <NoInterfaceProperties occurrences="1">
+ <code>$this-&gt;request-&gt;server</code>
+ </NoInterfaceProperties>
+ </file>
+ <file src="apps/oauth2/lib/Db/AccessTokenMapper.php">
+ <InvalidCatch occurrences="1"/>
+ </file>
+ <file src="apps/oauth2/lib/Db/ClientMapper.php">
+ <InvalidCatch occurrences="2"/>
+ </file>
+ <file src="apps/provisioning_api/lib/Controller/UsersController.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$quota</code>
+ </InvalidScalarArgument>
+ <TypeDoesNotContainNull occurrences="2">
+ <code>$groupid === null</code>
+ <code>$groupid === null</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="apps/settings/lib/AppInfo/Application.php">
+ <InvalidArgument occurrences="1"/>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getSettingsManager</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/settings/lib/Controller/AppSettingsController.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>ignoreNextcloudRequirementForApp</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/settings/lib/Controller/CheckSetupController.php">
+ <InvalidArgument occurrences="3">
+ <code>IDBConnection::CHECK_MISSING_COLUMNS_EVENT</code>
+ <code>IDBConnection::CHECK_MISSING_INDEXES_EVENT</code>
+ <code>IDBConnection::CHECK_MISSING_PRIMARY_KEYS_EVENT</code>
+ </InvalidArgument>
+ <InvalidOperand occurrences="1">
+ <code>$lastCronRun</code>
+ </InvalidOperand>
+ <InvalidScalarArgument occurrences="2">
+ <code>$lastCronRun</code>
+ <code>0</code>
+ </InvalidScalarArgument>
+ <TooManyArguments occurrences="3">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/settings/lib/Hooks.php">
+ <InvalidArrayOffset occurrences="1">
+ <code>[$user-&gt;getEMailAddress() =&gt; $user-&gt;getDisplayName()]</code>
+ </InvalidArrayOffset>
+ </file>
+ <file src="apps/settings/lib/Settings/Admin/Security.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>isReady</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/settings/lib/Settings/Admin/Server.php">
+ <InvalidArgument occurrences="1">
+ <code>false</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/settings/lib/Settings/Admin/Sharing.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>Constants::PERMISSION_ALL</code>
+ </InvalidScalarArgument>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/sharebymail/lib/ShareByMailProvider.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$share-&gt;getId()</code>
+ <code>(int)$data['id']</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/systemtags/lib/Activity/Listener.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$event-&gt;getObjectId()</code>
+ <code>$event-&gt;getObjectId()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/twofactor_backupcodes/lib/BackgroundJob/RememberBackupCodesJob.php">
+ <InvalidArgument occurrences="1">
+ <code>bool</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/twofactor_backupcodes/lib/Listener/ProviderDisabled.php">
+ <InvalidArgument occurrences="1">
+ <code>bool</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/updatenotification/lib/Controller/AdminController.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$this-&gt;timeFactory-&gt;getTime()</code>
+ <code>0</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/updatenotification/lib/Notification/BackgroundJob.php">
+ <InvalidArgument occurrences="1">
+ <code>false</code>
+ </InvalidArgument>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$this-&gt;users</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidScalarArgument occurrences="3">
+ <code>$errors</code>
+ <code>0</code>
+ <code>0</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/updatenotification/lib/Notification/Notifier.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>0</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/updatenotification/lib/ResetTokenBackgroundJob.php">
+ <InvalidOperand occurrences="1">
+ <code>$this-&gt;config-&gt;getAppValue('core', 'updater.secret.created', $this-&gt;timeFactory-&gt;getTime())</code>
+ </InvalidOperand>
+ <InvalidScalarArgument occurrences="1">
+ <code>$this-&gt;timeFactory-&gt;getTime()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/updatenotification/lib/Settings/Admin.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$lastUpdateCheckTimestamp</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/user_ldap/ajax/getNewServerConfigPrefix.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$ln + 1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/user_ldap/appinfo/routes.php">
+ <InvalidScope occurrences="1">
+ <code>$this</code>
+ </InvalidScope>
+ </file>
+ <file src="apps/user_ldap/lib/Access.php">
+ <InvalidReturnStatement occurrences="2">
+ <code>$uuid</code>
+ <code>$values</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string[]</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/user_ldap/lib/AppInfo/Application.php">
+ <InvalidArgument occurrences="1">
+ <code>'OCA\\User_LDAP\\User\\User::postLDAPBackendAdded'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/user_ldap/lib/Connection.php">
+ <ParadoxicalCondition occurrences="1"/>
+ </file>
+ <file src="apps/user_ldap/lib/Group_LDAP.php">
+ <InvalidArgument occurrences="1">
+ <code>$this-&gt;cachedGroupsByMember[$uid]</code>
+ </InvalidArgument>
+ <InvalidPropertyAssignmentValue occurrences="5">
+ <code>$this-&gt;cachedGroupsByMember</code>
+ <code>$this-&gt;cachedNestedGroups</code>
+ <code>new CappedMemoryCache()</code>
+ <code>new CappedMemoryCache()</code>
+ <code>new CappedMemoryCache()</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$groupName</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>$groupID</code>
+ <code>$groupID</code>
+ </InvalidScalarArgument>
+ <RedundantCondition occurrences="2">
+ <code>is_array($groupDNs)</code>
+ <code>is_array($list)</code>
+ </RedundantCondition>
+ </file>
+ <file src="apps/user_ldap/lib/Group_Proxy.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$gid</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/user_ldap/lib/Jobs/Sync.php">
+ <InvalidOperand occurrences="2">
+ <code>$i</code>
+ <code>$lastChange</code>
+ </InvalidOperand>
+ <InvalidScalarArgument occurrences="5">
+ <code>$interval</code>
+ <code>0</code>
+ <code>0</code>
+ <code>self::MIN_INTERVAL</code>
+ </InvalidScalarArgument>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$argument</code>
+ </MoreSpecificImplementedParamType>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/user_ldap/lib/Jobs/UpdateGroups.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>\OC::$server-&gt;getConfig()-&gt;getAppValue('user_ldap', 'bgjRefreshInterval', 3600)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>int</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="1">
+ <code>3600</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/user_ldap/lib/Mapping/AbstractMapping.php">
+ <RedundantCondition occurrences="1">
+ <code>isset($qb)</code>
+ </RedundantCondition>
+ <TypeDoesNotContainNull occurrences="1">
+ <code>isset($qb)</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="apps/user_ldap/lib/Proxy.php">
+ <InvalidDocblock occurrences="1">
+ <code>protected function handleRequest($id, $method, $parameters, $passOnWhen = false) {</code>
+ </InvalidDocblock>
+ </file>
+ <file src="apps/user_ldap/lib/User/Manager.php">
+ <InvalidDocblock occurrences="1">
+ <code>public function setLdapAccess(Access $access) {</code>
+ </InvalidDocblock>
+ </file>
+ <file src="apps/user_ldap/lib/User/User.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$this-&gt;avatarImage</code>
+ </FalsableReturnStatement>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$this-&gt;refreshedFeatures</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnType occurrences="1">
+ <code>null</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>1</code>
+ <code>true</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/user_ldap/lib/User_LDAP.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>string|false</code>
+ </ImplementedReturnTypeMismatch>
+ <MoreSpecificImplementedParamType occurrences="2">
+ <code>$limit</code>
+ <code>$offset</code>
+ </MoreSpecificImplementedParamType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="apps/user_ldap/lib/User_Proxy.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$users</code>
+ </InvalidReturnStatement>
+ <ParamNameMismatch occurrences="1">
+ <code>$uid</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/user_ldap/lib/Wizard.php">
+ <FalsableReturnStatement occurrences="2">
+ <code>false</code>
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidDocblock occurrences="3">
+ <code>private function checkAgentRequirements() {</code>
+ <code>private function detectGroupMemberAssoc() {</code>
+ <code>private function getAttributeValuesFromEntry($result, $attribute, &amp;$known) {</code>
+ </InvalidDocblock>
+ <InvalidScalarArgument occurrences="2">
+ <code>$port</code>
+ <code>$port</code>
+ </InvalidScalarArgument>
+ <RedundantCondition occurrences="1">
+ <code>!isset($item['cn']) &amp;&amp; !is_array($item['cn'])</code>
+ </RedundantCondition>
+ <TypeDoesNotContainType occurrences="1">
+ <code>$total === false</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="apps/user_status/lib/AppInfo/Application.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>registerProvider</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="apps/workflowengine/lib/Check/AbstractStringCheck.php">
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="apps/workflowengine/lib/Check/FileMimeType.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$path</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/workflowengine/lib/Check/FileSize.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$this-&gt;size</code>
+ </FalsableReturnStatement>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$size</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;size</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ </file>
+ <file src="apps/workflowengine/lib/Check/RequestRemoteAddress.php">
+ <InvalidScalarArgument occurrences="4">
+ <code>$decodedValue[1]</code>
+ <code>$decodedValue[1]</code>
+ <code>$decodedValue[1]</code>
+ <code>$decodedValue[1]</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/workflowengine/lib/Check/RequestTime.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$hour1</code>
+ <code>$minute1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/workflowengine/lib/Check/TFileCheck.php">
+ <InvalidArgument occurrences="1">
+ <code>['app' =&gt; Application::APP_ID, 'class' =&gt; get_class($subject)]</code>
+ </InvalidArgument>
+ </file>
+ <file src="apps/workflowengine/lib/Controller/AWorkflowController.php">
+ <InvalidScalarArgument occurrences="3">
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ <code>$e-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="apps/workflowengine/lib/Entity/File.php">
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ <ParamNameMismatch occurrences="1">
+ <code>$uid</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="apps/workflowengine/lib/Manager.php">
+ <InvalidArgument occurrences="3">
+ <code>IManager::EVENT_NAME_REG_CHECK</code>
+ <code>IManager::EVENT_NAME_REG_ENTITY</code>
+ <code>IManager::EVENT_NAME_REG_OPERATION</code>
+ </InvalidArgument>
+ <InvalidOperand occurrences="1">
+ <code>$result</code>
+ </InvalidOperand>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>[]</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$result</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="1">
+ <code>$missingCheck</code>
+ </InvalidScalarArgument>
+ <TooManyArguments occurrences="3">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="apps/workflowengine/lib/Service/RuleMatcher.php">
+ <UndefinedInterfaceMethod occurrences="5">
+ <code>getAllConfiguredScopesForOperation</code>
+ <code>getChecks</code>
+ <code>getOperations</code>
+ <code>getOperations</code>
+ <code>isUserScopeEnabled</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="core/Application.php">
+ <InvalidArgument occurrences="9">
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ </InvalidArgument>
+ </file>
+ <file src="core/BackgroundJobs/BackgroundCleanupUpdaterBackupsJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="core/BackgroundJobs/CheckForUserCertificates.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="core/BackgroundJobs/LookupServerSendCheckBackgroundJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="core/Command/App/Install.php">
+ <TypeDoesNotContainType occurrences="1">
+ <code>$result === false</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="core/Command/App/ListApps.php">
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>array</code>
+ </LessSpecificImplementedReturnType>
+ </file>
+ <file src="core/Command/Config/Import.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>0</code>
+ <code>1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="core/Command/Config/ListConfigs.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$this-&gt;appConfig-&gt;getValues($app, false)</code>
+ </FalsableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>getFilteredValues</code>
+ </TooManyArguments>
+ </file>
+ <file src="core/Command/Db/AddMissingColumns.php">
+ <InvalidArgument occurrences="1">
+ <code>IDBConnection::ADD_MISSING_COLUMNS_EVENT</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="core/Command/Db/AddMissingIndices.php">
+ <InvalidArgument occurrences="1">
+ <code>IDBConnection::ADD_MISSING_INDEXES_EVENT</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="core/Command/Db/AddMissingPrimaryKeys.php">
+ <InvalidArgument occurrences="1">
+ <code>IDBConnection::ADD_MISSING_PRIMARY_KEYS_EVENT</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="core/Command/Db/ConvertType.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>0</code>
+ <code>1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="core/Command/Encryption/Enable.php">
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="core/Command/Log/File.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>[0]</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string[]</code>
+ </InvalidReturnType>
+ </file>
+ <file src="core/Command/Log/Manage.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$levelNum</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="core/Command/Maintenance/DataFingerprint.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$this-&gt;timeFactory-&gt;getTime()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="core/Command/Maintenance/Mimetype/GenerateMimetypeFileBuilder.php">
+ <InvalidArrayAccess occurrences="1">
+ <code>$k[0]</code>
+ </InvalidArrayAccess>
+ </file>
+ <file src="core/Command/Maintenance/Mimetype/UpdateDB.php">
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>getAllMappings</code>
+ <code>updateFilecache</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="core/Command/Maintenance/Mimetype/UpdateJS.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getAllAliases</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="core/Command/Maintenance/Repair.php">
+ <InvalidScalarArgument occurrences="6">
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="core/Command/Preview/Repair.php">
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>section</code>
+ <code>section</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="core/Command/Preview/ResetRenderedTexts.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>[]</code>
+ </InvalidReturnStatement>
+ </file>
+ <file src="core/Command/Upgrade.php">
+ <InvalidScalarArgument occurrences="11">
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>1</code>
+ <code>1</code>
+ <code>1</code>
+ <code>1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="core/Controller/ClientFlowLoginV2Controller.php">
+ <TypeDoesNotContainType occurrences="1">
+ <code>!is_string($stateToken)</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="core/Controller/CollaborationResourcesController.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>searchCollections</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="core/Controller/SvgController.php">
+ <TypeDoesNotContainNull occurrences="1">
+ <code>$svg === null</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="core/Controller/UnifiedSearchController.php">
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>findMatchingRoute</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="core/Middleware/TwoFactorMiddleware.php">
+ <NoInterfaceProperties occurrences="1">
+ <code>$this-&gt;request-&gt;server</code>
+ </NoInterfaceProperties>
+ </file>
+ <file src="core/ajax/update.php">
+ <InvalidScalarArgument occurrences="12">
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>1</code>
+ <code>1</code>
+ <code>1</code>
+ <code>1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="core/routes.php">
+ <InvalidScope occurrences="2">
+ <code>$this</code>
+ <code>$this</code>
+ </InvalidScope>
+ </file>
+ <file src="core/templates/layout.guest.php">
+ <InvalidArgument occurrences="1">
+ <code>false</code>
+ </InvalidArgument>
+ </file>
+ <file src="core/templates/layout.public.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getIcon</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/autoloader.php">
+ <RedundantCondition occurrences="2">
+ <code>$this-&gt;memoryCache</code>
+ <code>$this-&gt;memoryCache</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/base.php">
+ <InternalMethod occurrences="2">
+ <code>getAppsNeedingUpgrade</code>
+ <code>getIncompatibleApps</code>
+ </InternalMethod>
+ <InvalidArgument occurrences="3">
+ <code>$restrictions</code>
+ <code>addServiceListener</code>
+ <code>addServiceListener</code>
+ </InvalidArgument>
+ <RedundantCondition occurrences="1">
+ <code>((array)$request-&gt;getParam('appid')) !== ''</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Accounts/AccountManager.php">
+ <InvalidArgument occurrences="1">
+ <code>'OC\AccountManager::userUpdated'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/Activity/Event.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$affectedUser</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Activity/Manager.php">
+ <InvalidPropertyAssignmentValue occurrences="3">
+ <code>$this-&gt;filterClasses</code>
+ <code>$this-&gt;providerClasses</code>
+ <code>$this-&gt;settingsClasses</code>
+ </InvalidPropertyAssignmentValue>
+ <TypeDoesNotContainType occurrences="1">
+ <code>!is_string($currentUserId) &amp;&amp; $currentUserId !== null</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="lib/private/AllConfig.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$key</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/App/AppManager.php">
+ <InvalidArgument occurrences="3">
+ <code>ManagerEvent::EVENT_APP_DISABLE</code>
+ <code>ManagerEvent::EVENT_APP_ENABLE</code>
+ <code>ManagerEvent::EVENT_APP_ENABLE_FOR_GROUPS</code>
+ </InvalidArgument>
+ <LessSpecificImplementedReturnType occurrences="2">
+ <code>array</code>
+ <code>array</code>
+ </LessSpecificImplementedReturnType>
+ <TooManyArguments occurrences="3">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ <TypeDoesNotContainNull occurrences="1">
+ <code>$group === null</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="lib/private/App/AppStore/Fetcher/Fetcher.php">
+ <TooManyArguments occurrences="1">
+ <code>fetch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/App/DependencyAnalyzer.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>version_compare($first, $second, $operator)</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/App/InfoParser.php">
+ <InvalidArrayOffset occurrences="2">
+ <code>$array[$element][]</code>
+ <code>$array[$element][]</code>
+ </InvalidArrayOffset>
+ <InvalidReturnStatement occurrences="1">
+ <code>(string)$xml</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>array</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/App/Platform.php">
+ <UndefinedThisPropertyAssignment occurrences="1">
+ <code>$this-&gt;config</code>
+ </UndefinedThisPropertyAssignment>
+ <UndefinedThisPropertyFetch occurrences="1">
+ <code>$this-&gt;config</code>
+ </UndefinedThisPropertyFetch>
+ </file>
+ <file src="lib/private/App/PlatformRepository.php">
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <UndefinedThisPropertyAssignment occurrences="1">
+ <code>$this-&gt;packages</code>
+ </UndefinedThisPropertyAssignment>
+ </file>
+ <file src="lib/private/AppConfig.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$values</code>
+ </FalsableReturnStatement>
+ <NullableReturnStatement occurrences="1">
+ <code>$default</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/AppFramework/Bootstrap/Coordinator.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$this-&gt;bootedApps</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/private/AppFramework/Bootstrap/FunctionInjector.php">
+ <UndefinedMethod occurrences="1">
+ <code>getName</code>
+ </UndefinedMethod>
+ </file>
+ <file src="lib/private/AppFramework/DependencyInjection/DIContainer.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>boolean|null</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;server</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>\OCP\IServerContainer</code>
+ <code>mixed</code>
+ </InvalidReturnType>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getAppDataDir</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/AppFramework/Http/Dispatcher.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$throwable-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <NoInterfaceProperties occurrences="1">
+ <code>$this-&gt;request-&gt;method</code>
+ </NoInterfaceProperties>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="lib/private/AppFramework/Http/Output.php">
+ <InvalidReturnStatement occurrences="2">
+ <code>@readfile($path)</code>
+ <code>http_response_code()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>bool</code>
+ <code>int</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/AppFramework/Http/Request.php">
+ <NullableReturnStatement occurrences="9">
+ <code>$host</code>
+ <code>$name</code>
+ <code>$remoteAddress</code>
+ <code>$this-&gt;getOverwriteHost()</code>
+ <code>$this-&gt;method</code>
+ <code>$uri</code>
+ <code>isset($this-&gt;cookies[$key]) ? $this-&gt;cookies[$key] : null</code>
+ <code>isset($this-&gt;env[$key]) ? $this-&gt;env[$key] : null</code>
+ <code>isset($this-&gt;files[$key]) ? $this-&gt;files[$key] : null</code>
+ </NullableReturnStatement>
+ <RedundantCondition occurrences="1">
+ <code>\is_array($params)</code>
+ </RedundantCondition>
+ <UndefinedFunction occurrences="1">
+ <code>\Sabre\Uri\split($scriptName)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="lib/private/AppFramework/Logger.php">
+ <InvalidReturnType occurrences="1">
+ <code>log</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/AppFramework/Middleware/AdditionalScriptsMiddleware.php">
+ <InvalidArgument occurrences="2">
+ <code>TemplateResponse::EVENT_LOAD_ADDITIONAL_SCRIPTS</code>
+ <code>TemplateResponse::EVENT_LOAD_ADDITIONAL_SCRIPTS_LOGGEDIN</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="2">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/AppFramework/Middleware/OCSMiddleware.php">
+ <InternalMethod occurrences="1">
+ <code>setOCSVersion</code>
+ </InternalMethod>
+ <InvalidScalarArgument occurrences="1">
+ <code>$code</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/AppFramework/Middleware/Security/CORSMiddleware.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$exception-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <NoInterfaceProperties occurrences="2">
+ <code>$this-&gt;request-&gt;server</code>
+ <code>$this-&gt;request-&gt;server</code>
+ </NoInterfaceProperties>
+ </file>
+ <file src="lib/private/AppFramework/Middleware/Security/RateLimitingMiddleware.php">
+ <InvalidScalarArgument occurrences="6">
+ <code>$anonLimit</code>
+ <code>$anonPeriod</code>
+ <code>$exception-&gt;getCode()</code>
+ <code>$exception-&gt;getCode()</code>
+ <code>$userLimit</code>
+ <code>$userPeriod</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/AppFramework/Middleware/Security/SecurityMiddleware.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>$exception-&gt;getCode()</code>
+ <code>$exception-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <NoInterfaceProperties occurrences="1">
+ <code>$this-&gt;request-&gt;server</code>
+ </NoInterfaceProperties>
+ <UndefinedClass occurrences="1">
+ <code>\OCA\Talk\Controller\PageController</code>
+ </UndefinedClass>
+ </file>
+ <file src="lib/private/AppFramework/OCS/V1Response.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$meta</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/AppFramework/OCS/V2Response.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$meta</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/AppFramework/Routing/RouteConfig.php">
+ <InvalidArrayOffset occurrences="1">
+ <code>$action['url-postfix']</code>
+ </InvalidArrayOffset>
+ </file>
+ <file src="lib/private/AppFramework/Services/AppConfig.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$default</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/Archive/TAR.php">
+ <UndefinedDocblockClass occurrences="1">
+ <code>$this-&gt;tar-&gt;extractInString($path)</code>
+ </UndefinedDocblockClass>
+ </file>
+ <file src="lib/private/Authentication/LoginCredentials/Store.php">
+ <RedundantCondition occurrences="1">
+ <code>$trySession</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Authentication/Token/PublicKeyToken.php">
+ <UndefinedMethod occurrences="16">
+ <code>parent::getExpires()</code>
+ <code>parent::getLastCheck()</code>
+ <code>parent::getLoginName()</code>
+ <code>parent::getName()</code>
+ <code>parent::getPassword()</code>
+ <code>parent::getRemember()</code>
+ <code>parent::getScope()</code>
+ <code>parent::setExpires($expires)</code>
+ <code>parent::setLastCheck($time)</code>
+ <code>parent::setName($name)</code>
+ <code>parent::setPassword($password)</code>
+ <code>parent::setPasswordInvalid($invalid)</code>
+ <code>parent::setScope((string)$scope)</code>
+ <code>parent::setScope(json_encode($scope))</code>
+ <code>parent::setToken($token)</code>
+ <code>parent::setType(IToken::WIPE_TOKEN)</code>
+ </UndefinedMethod>
+ </file>
+ <file src="lib/private/Authentication/TwoFactorAuth/Db/ProviderUserAssignmentDao.php">
+ <InvalidReturnStatement occurrences="2">
+ <code>$providers</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>int[]</code>
+ <code>string[]</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Authentication/TwoFactorAuth/Manager.php">
+ <InvalidArgument occurrences="2">
+ <code>IProvider::EVENT_FAILED</code>
+ <code>IProvider::EVENT_SUCCESS</code>
+ </InvalidArgument>
+ <InvalidReturnStatement occurrences="1">
+ <code>$providerStates</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string[]</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>$this-&gt;timeFactory-&gt;getTime()</code>
+ <code>$tokenId</code>
+ </InvalidScalarArgument>
+ <TooManyArguments occurrences="2">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/Authentication/TwoFactorAuth/ProviderSet.php">
+ <InvalidArgument occurrences="1">
+ <code>$this-&gt;providers</code>
+ </InvalidArgument>
+ <InvalidPropertyAssignmentValue occurrences="2">
+ <code>$this-&gt;providers</code>
+ <code>[]</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;providers</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>IProvider[]</code>
+ </InvalidReturnType>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>$this-&gt;providers</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Authentication/TwoFactorAuth/Registry.php">
+ <InvalidArrayAccess occurrences="1">
+ <code>$provider['provider_id']</code>
+ </InvalidArrayAccess>
+ </file>
+ <file src="lib/private/Authentication/WebAuthn/CredentialRepository.php">
+ <InvalidCatch occurrences="2"/>
+ </file>
+ <file src="lib/private/Avatar/Avatar.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>Color</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidReturnStatement occurrences="1">
+ <code>$finalPalette[$this-&gt;hashToInt($hash, $steps * 3)]</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>Color</code>
+ </InvalidReturnType>
+ <ParamNameMismatch occurrences="1">
+ <code>$hash</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Avatar/AvatarManager.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$userId</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Avatar/PlaceholderAvatar.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$data</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Avatar/UserAvatar.php">
+ <InvalidScalarArgument occurrences="3">
+ <code>$data</code>
+ <code>$data</code>
+ <code>(int) $this-&gt;config-&gt;getUserValue($this-&gt;user-&gt;getUID(), 'avatar', 'version', 0) + 1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/BackgroundJob/JobList.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$job-&gt;getId()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/BackgroundJob/QueuedJob.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$jobList</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/Cache/File.php">
+ <LessSpecificImplementedReturnType occurrences="2">
+ <code>bool|mixed</code>
+ <code>bool|mixed</code>
+ </LessSpecificImplementedReturnType>
+ </file>
+ <file src="lib/private/Command/CallableJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$serializedCallable</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Command/ClosureJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$serializedCallable</code>
+ </ParamNameMismatch>
+ <UndefinedFunction occurrences="1">
+ <code>\Opis\Closure\unserialize($serializedCallable)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="lib/private/Command/CommandJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$serializedCommand</code>
+ </ParamNameMismatch>
+ <UndefinedFunction occurrences="1">
+ <code>\Opis\Closure\unserialize($serializedCommand)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="lib/private/Command/CronBus.php">
+ <UndefinedFunction occurrences="1">
+ <code>\Opis\Closure\serialize($command)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="lib/private/Comments/Comment.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>\DateTime|null</code>
+ </ImplementedReturnTypeMismatch>
+ <ParamNameMismatch occurrences="1">
+ <code>$timestamp</code>
+ </ParamNameMismatch>
+ <TypeDoesNotContainType occurrences="1">
+ <code>!is_array($mentions[0])</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="lib/private/Comments/Manager.php">
+ <InvalidDocblock occurrences="1">
+ <code>public function getForObjectSince(</code>
+ </InvalidDocblock>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="lib/private/Config.php">
+ <InvalidOperand occurrences="2">
+ <code>$this-&gt;delete($key)</code>
+ <code>$this-&gt;set($key, $value)</code>
+ </InvalidOperand>
+ <UndefinedVariable occurrences="2">
+ <code>$CONFIG</code>
+ <code>$CONFIG</code>
+ </UndefinedVariable>
+ </file>
+ <file src="lib/private/Console/Application.php">
+ <InvalidArgument occurrences="1">
+ <code>ConsoleEvent::EVENT_RUN</code>
+ </InvalidArgument>
+ <NoInterfaceProperties occurrences="1">
+ <code>$this-&gt;request-&gt;server</code>
+ </NoInterfaceProperties>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedThisPropertyAssignment occurrences="1">
+ <code>$this-&gt;application</code>
+ </UndefinedThisPropertyAssignment>
+ <UndefinedThisPropertyFetch occurrences="4">
+ <code>$this-&gt;application</code>
+ <code>$this-&gt;application</code>
+ <code>$this-&gt;application</code>
+ <code>$this-&gt;application</code>
+ </UndefinedThisPropertyFetch>
+ </file>
+ <file src="lib/private/Contacts/ContactsMenu/Manager.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>IEntry</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$entry</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/ContactsManager.php">
+ <InvalidNullableReturnType occurrences="3">
+ <code>IAddressBook</code>
+ <code>array</code>
+ <code>bool</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="5">
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="2">
+ <code>$addressBook</code>
+ <code>$addressBook</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/DB/Adapter.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$builder-&gt;execute()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>int</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/DB/AdapterMySQL.php">
+ <InternalMethod occurrences="1">
+ <code>getParams</code>
+ </InternalMethod>
+ </file>
+ <file src="lib/private/DB/Connection.php">
+ <InternalMethod occurrences="1">
+ <code>getParams</code>
+ </InternalMethod>
+ <InvalidReturnStatement occurrences="2">
+ <code>$insertQb-&gt;execute()</code>
+ <code>$this-&gt;adapter-&gt;lastInsertId($seqName)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>int</code>
+ <code>string</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="1">
+ <code>$e-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <ParamNameMismatch occurrences="2">
+ <code>$seqName</code>
+ <code>$statement</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/DB/MigrationService.php">
+ <InvalidOperand occurrences="2">
+ <code>$offset</code>
+ <code>$offset</code>
+ </InvalidOperand>
+ <UndefinedThisPropertyAssignment occurrences="4">
+ <code>$this-&gt;migrationsNamespace</code>
+ <code>$this-&gt;migrationsNamespace</code>
+ <code>$this-&gt;migrationsPath</code>
+ <code>$this-&gt;migrationsPath</code>
+ </UndefinedThisPropertyAssignment>
+ <UndefinedThisPropertyFetch occurrences="4">
+ <code>$this-&gt;migrationsNamespace</code>
+ <code>$this-&gt;migrationsNamespace</code>
+ <code>$this-&gt;migrationsPath</code>
+ <code>$this-&gt;migrationsPath</code>
+ </UndefinedThisPropertyFetch>
+ </file>
+ <file src="lib/private/DB/Migrator.php">
+ <InvalidArgument occurrences="1">
+ <code>'\OC\DB\Migrator::executeSql'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/DB/OracleConnection.php">
+ <InvalidArrayAccess occurrences="1">
+ <code>$key[0]</code>
+ </InvalidArrayAccess>
+ </file>
+ <file src="lib/private/DB/QueryBuilder/ExpressionBuilder/ExpressionBuilder.php">
+ <ImplicitToStringCast occurrences="1">
+ <code>$this-&gt;functionBuilder-&gt;lower($x)</code>
+ </ImplicitToStringCast>
+ <InvalidScalarArgument occurrences="2">
+ <code>$y</code>
+ <code>$y</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/DB/QueryBuilder/ExpressionBuilder/MySqlExpressionBuilder.php">
+ <InternalMethod occurrences="1">
+ <code>getParams</code>
+ </InternalMethod>
+ </file>
+ <file src="lib/private/DB/QueryBuilder/QueryBuilder.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$alias</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="2">
+ <code>$groupBys</code>
+ <code>$selects</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/DB/QueryBuilder/QuoteHelper.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$string</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/DateTimeFormatter.php">
+ <FalsableReturnStatement occurrences="1"/>
+ <InvalidDocblock occurrences="2">
+ <code>public function formatDateSpan($timestamp, $baseTimestamp = null, \OCP\IL10N $l = null) {</code>
+ <code>public function formatTimeSpan($timestamp, $baseTimestamp = null, \OCP\IL10N $l = null) {</code>
+ </InvalidDocblock>
+ <InvalidReturnStatement occurrences="1"/>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/DateTimeZone.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$timestamp</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Diagnostics/Query.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>float</code>
+ </ImplementedReturnTypeMismatch>
+ </file>
+ <file src="lib/private/Diagnostics/QueryLogger.php">
+ <InvalidReturnType occurrences="1">
+ <code>stopQuery</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="1">
+ <code>microtime(true)</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/DirectEditing/Manager.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$query-&gt;execute()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>TemplateResponse</code>
+ <code>int</code>
+ </InvalidReturnType>
+ <UndefinedMethod occurrences="2">
+ <code>$template</code>
+ <code>$template</code>
+ </UndefinedMethod>
+ </file>
+ <file src="lib/private/DirectEditing/Token.php">
+ <UndefinedMethod occurrences="1">
+ <code>getShareForToken</code>
+ </UndefinedMethod>
+ </file>
+ <file src="lib/private/Encryption/File.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>new CappedMemoryCache()</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/private/Encryption/Keys/Storage.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>deleteUserKey</code>
+ </InvalidNullableReturnType>
+ <NullArgument occurrences="3">
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="lib/private/Encryption/Manager.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>bool</code>
+ </ImplementedReturnTypeMismatch>
+ </file>
+ <file src="lib/private/EventDispatcher/EventDispatcher.php">
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/EventDispatcher/SymfonyAdapter.php">
+ <ImplementedParamTypeMismatch occurrences="1">
+ <code>$eventName</code>
+ </ImplementedParamTypeMismatch>
+ <ParamNameMismatch occurrences="1">
+ <code>$eventName</code>
+ </ParamNameMismatch>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/Federation/CloudFederationProviderManager.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$providerId</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Cache/Cache.php">
+ <InvalidArgument occurrences="1">
+ <code>$parentData</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="1">
+ <code>array</code>
+ </InvalidNullableReturnType>
+ <InvalidScalarArgument occurrences="3">
+ <code>$path</code>
+ <code>$path</code>
+ <code>\OC_Util::normalizeUnicode($path)</code>
+ </InvalidScalarArgument>
+ <NullableReturnStatement occurrences="2">
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="1">
+ <code>$searchQuery</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Cache/FailedCache.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>[]</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="3">
+ <code>getIncomplete</code>
+ <code>insert</code>
+ <code>put</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Files/Cache/HomeCache.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>$data</code>
+ </FalsableReturnStatement>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$path</code>
+ </MoreSpecificImplementedParamType>
+ <ParamNameMismatch occurrences="1">
+ <code>$path</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Cache/Scanner.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$existingChildren</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>array[]</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>$path</code>
+ <code>self::SCAN_RECURSIVE_INCOMPLETE</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Files/Cache/Storage.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>array</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>self::getGlobalCache()-&gt;getStorageInfo($storageId)</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/Files/Cache/Updater.php">
+ <RedundantCondition occurrences="1">
+ <code>$this-&gt;cache instanceof Cache</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Files/Cache/Wrapper/CacheWrapper.php">
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>array</code>
+ </LessSpecificImplementedReturnType>
+ <ParamNameMismatch occurrences="1">
+ <code>$searchQuery</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Config/MountProviderCollection.php">
+ <InvalidOperand occurrences="1">
+ <code>$user</code>
+ </InvalidOperand>
+ <RedundantCondition occurrences="1">
+ <code>get_class($provider) !== 'OCA\Files_Sharing\MountProvider'</code>
+ </RedundantCondition>
+ <TypeDoesNotContainType occurrences="1">
+ <code>get_class($provider) === 'OCA\Files_Sharing\MountProvider'</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="lib/private/Files/Config/UserMountCache.php">
+ <InvalidReturnType occurrences="2">
+ <code>remoteStorageMounts</code>
+ <code>removeUserStorageMount</code>
+ </InvalidReturnType>
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>array</code>
+ </LessSpecificImplementedReturnType>
+ <UndefinedInterfaceMethod occurrences="9">
+ <code>$this-&gt;cacheInfoCache</code>
+ <code>$this-&gt;cacheInfoCache</code>
+ <code>$this-&gt;cacheInfoCache</code>
+ <code>$this-&gt;mountsForUsers</code>
+ <code>$this-&gt;mountsForUsers</code>
+ <code>$this-&gt;mountsForUsers</code>
+ <code>$this-&gt;mountsForUsers</code>
+ <code>$this-&gt;mountsForUsers</code>
+ <code>$this-&gt;mountsForUsers</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Files/Filesystem.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>self::$defaultInstance-&gt;toTmpFile($path)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>addStorageWrapper</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/Files/Mount/MountPoint.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$exception-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>wrap</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Files/Mount/MoveableMount.php">
+ <InvalidDocblock occurrences="1">
+ <code>public function removeMount();</code>
+ </InvalidDocblock>
+ </file>
+ <file src="lib/private/Files/Mount/ObjectHomeMountProvider.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>\OCP\Files\Mount\IMountPoint</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/Files/Node/File.php">
+ <InvalidReturnStatement occurrences="2">
+ <code>$this-&gt;view-&gt;hash($type, $this-&gt;path, $raw)</code>
+ <code>new NonExistingFile($this-&gt;root, $this-&gt;view, $path)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>string</code>
+ <code>string</code>
+ </InvalidReturnType>
+ <UndefinedThisPropertyAssignment occurrences="1">
+ <code>$this-&gt;exists</code>
+ </UndefinedThisPropertyAssignment>
+ </file>
+ <file src="lib/private/Files/Node/Folder.php">
+ <InvalidArgument occurrences="1"/>
+ <InvalidReturnStatement occurrences="1">
+ <code>new NonExistingFolder($this-&gt;root, $this-&gt;view, $path)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$node</code>
+ </MoreSpecificImplementedParamType>
+ <UndefinedThisPropertyAssignment occurrences="1">
+ <code>$this-&gt;exists</code>
+ </UndefinedThisPropertyAssignment>
+ </file>
+ <file src="lib/private/Files/Node/HookConnector.php">
+ <InvalidArgument occurrences="13">
+ <code>'\OCP\Files::postCopy'</code>
+ <code>'\OCP\Files::postCreate'</code>
+ <code>'\OCP\Files::postDelete'</code>
+ <code>'\OCP\Files::postRename'</code>
+ <code>'\OCP\Files::postTouch'</code>
+ <code>'\OCP\Files::postWrite'</code>
+ <code>'\OCP\Files::preCopy'</code>
+ <code>'\OCP\Files::preCreate'</code>
+ <code>'\OCP\Files::preDelete'</code>
+ <code>'\OCP\Files::preRename'</code>
+ <code>'\OCP\Files::preTouch'</code>
+ <code>'\OCP\Files::preWrite'</code>
+ <code>'\OCP\Files::read'</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="13">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedInterfaceMethod occurrences="13">
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ <code>emit</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Files/Node/LazyFolder.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;__call(__FUNCTION__, func_get_args())</code>
+ </InvalidReturnStatement>
+ </file>
+ <file src="lib/private/Files/Node/Node.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>Node</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidArgument occurrences="1">
+ <code>'\OCP\Files::' . $hook</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="1">
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnType occurrences="1">
+ <code>getChecksum</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$this-&gt;getFileInfo()-&gt;getId()</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="1">
+ <code>$type</code>
+ </ParamNameMismatch>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>$this-&gt;fileInfo</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Files/Node/NonExistingFile.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$newPath</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Node/NonExistingFolder.php">
+ <ParamNameMismatch occurrences="3">
+ <code>$mime</code>
+ <code>$newPath</code>
+ <code>$pattern</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Node/Root.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>Node</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidNullableReturnType occurrences="1">
+ <code>\OC\User\User</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$this-&gt;user</code>
+ </NullableReturnStatement>
+ <UndefinedMethod occurrences="1">
+ <code>remove</code>
+ </UndefinedMethod>
+ </file>
+ <file src="lib/private/Files/ObjectStore/HomeObjectStoreStorage.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>false|string</code>
+ </ImplementedReturnTypeMismatch>
+ </file>
+ <file src="lib/private/Files/ObjectStore/NoopScanner.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$cacheData</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/Files/ObjectStore/ObjectStoreStorage.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$source</code>
+ </InvalidScalarArgument>
+ <ParamNameMismatch occurrences="2">
+ <code>$source</code>
+ <code>$target</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/ObjectStore/S3ConnectionTrait.php">
+ <InternalClass occurrences="1">
+ <code>ClientResolver::_default_signature_provider()</code>
+ </InternalClass>
+ <InternalMethod occurrences="1">
+ <code>ClientResolver::_default_signature_provider()</code>
+ </InternalMethod>
+ <UndefinedFunction occurrences="2">
+ <code>\Aws\or_chain([self::class, 'legacySignatureProvider'], ClientResolver::_default_signature_provider())</code>
+ </UndefinedFunction>
+ </file>
+ <file src="lib/private/Files/ObjectStore/S3ObjectTrait.php">
+ <InternalMethod occurrences="1">
+ <code>upload</code>
+ </InternalMethod>
+ <UndefinedFunction occurrences="1">
+ <code>\Aws\serialize($command)</code>
+ </UndefinedFunction>
+ </file>
+ <file src="lib/private/Files/ObjectStore/S3Signature.php">
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="lib/private/Files/ObjectStore/StorageObjectStore.php">
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Files/Storage/Common.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>string|false</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidOperand occurrences="2">
+ <code>!$permissions</code>
+ <code>$this-&gt;copyFromStorage($sourceStorage, $sourceInternalPath . '/' . $file, $targetInternalPath . '/' . $file)</code>
+ </InvalidOperand>
+ <NoInterfaceProperties occurrences="8">
+ <code>$storage-&gt;cache</code>
+ <code>$storage-&gt;cache</code>
+ <code>$storage-&gt;propagator</code>
+ <code>$storage-&gt;propagator</code>
+ <code>$storage-&gt;scanner</code>
+ <code>$storage-&gt;scanner</code>
+ <code>$storage-&gt;updater</code>
+ <code>$storage-&gt;updater</code>
+ </NoInterfaceProperties>
+ </file>
+ <file src="lib/private/Files/Storage/DAV.php">
+ <InvalidClass occurrences="2">
+ <code>ArrayCache</code>
+ <code>ArrayCache</code>
+ </InvalidClass>
+ <InvalidNullableReturnType occurrences="1">
+ <code>getETag</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>$response-&gt;getBody()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>fopen</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/Files/Storage/FailedStorage.php">
+ <InvalidReturnStatement occurrences="2">
+ <code>new FailedCache()</code>
+ <code>true</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>getCache</code>
+ <code>verifyPath</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="39">
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ <code>$this-&gt;e-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Files/Storage/Local.php">
+ <ImplicitToStringCast occurrences="1">
+ <code>$file</code>
+ </ImplicitToStringCast>
+ <InvalidOperand occurrences="1">
+ <code>$result</code>
+ </InvalidOperand>
+ <InvalidReturnStatement occurrences="3">
+ <code>$helper-&gt;getFileSize($fullPath)</code>
+ <code>$result</code>
+ <code>$space</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="3">
+ <code>filesize</code>
+ <code>free_space</code>
+ <code>rename</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$helper-&gt;getFileSize($fullPath)</code>
+ </NullableReturnStatement>
+ <TypeDoesNotContainNull occurrences="2">
+ <code>$space === false || is_null($space)</code>
+ <code>is_null($space)</code>
+ </TypeDoesNotContainNull>
+ <TypeDoesNotContainType occurrences="1">
+ <code>$stat === false</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="lib/private/Files/Storage/LocalRootStorage.php">
+ <NoInterfaceProperties occurrences="2">
+ <code>$storage-&gt;scanner</code>
+ <code>$storage-&gt;scanner</code>
+ </NoInterfaceProperties>
+ </file>
+ <file src="lib/private/Files/Storage/Wrapper/Availability.php">
+ <InvalidNullableReturnType occurrences="33">
+ <code>copy</code>
+ <code>copyFromStorage</code>
+ <code>file_exists</code>
+ <code>file_get_contents</code>
+ <code>file_put_contents</code>
+ <code>filemtime</code>
+ <code>filesize</code>
+ <code>filetype</code>
+ <code>fopen</code>
+ <code>free_space</code>
+ <code>getDirectDownload</code>
+ <code>getETag</code>
+ <code>getLocalFile</code>
+ <code>getMimeType</code>
+ <code>getOwner</code>
+ <code>getPermissions</code>
+ <code>hash</code>
+ <code>isCreatable</code>
+ <code>isDeletable</code>
+ <code>isReadable</code>
+ <code>isSharable</code>
+ <code>isUpdatable</code>
+ <code>is_dir</code>
+ <code>is_file</code>
+ <code>mkdir</code>
+ <code>moveFromStorage</code>
+ <code>opendir</code>
+ <code>rename</code>
+ <code>rmdir</code>
+ <code>search</code>
+ <code>stat</code>
+ <code>touch</code>
+ <code>unlink</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnType occurrences="1">
+ <code>\Traversable</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Files/Storage/Wrapper/Encoding.php">
+ <InvalidScalarArgument occurrences="3">
+ <code>\Normalizer::FORM_C</code>
+ <code>\Normalizer::FORM_C</code>
+ <code>\Normalizer::FORM_D</code>
+ </InvalidScalarArgument>
+ <UndefinedInterfaceMethod occurrences="13">
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ <code>$this-&gt;namesCache</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Files/Storage/Wrapper/Encryption.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidOperand occurrences="3">
+ <code>$result</code>
+ <code>$result</code>
+ <code>$this-&gt;copyFromStorage($sourceStorage, $sourceInternalPath . '/' . $file, $targetInternalPath . '/' . $file, false, $isRename)</code>
+ </InvalidOperand>
+ <InvalidReturnStatement occurrences="6">
+ <code>$newUnencryptedSize</code>
+ <code>$result</code>
+ <code>$stat</code>
+ <code>$this-&gt;storage-&gt;file_get_contents($path)</code>
+ <code>$this-&gt;storage-&gt;filesize($path)</code>
+ <code>$this-&gt;storage-&gt;getLocalFile($path)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="5">
+ <code>array</code>
+ <code>bool</code>
+ <code>int</code>
+ <code>string</code>
+ <code>string</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="5">
+ <code>$lastChunkPos</code>
+ <code>$newUnencryptedSize</code>
+ <code>$size</code>
+ <code>$size</code>
+ <code>$sourceStorage-&gt;filemtime($sourceInternalPath)</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Files/Storage/Wrapper/Jail.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;getWrapperStorage()-&gt;filetype($this-&gt;getUnjailedPath($path))</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Files/Storage/Wrapper/Quota.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$extension === 'part'</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>string</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>$free</code>
+ <code>'ext'</code>
+ </InvalidScalarArgument>
+ <ParamNameMismatch occurrences="2">
+ <code>$source</code>
+ <code>$target</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Storage/Wrapper/Wrapper.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;getWrapperStorage()-&gt;test()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>true</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Files/Stream/SeekableHttpStream.php">
+ <InvalidPropertyAssignmentValue occurrences="2">
+ <code>$this-&gt;current</code>
+ <code>$this-&gt;current</code>
+ </InvalidPropertyAssignmentValue>
+ <InvalidReturnType occurrences="2">
+ <code>stream_close</code>
+ <code>stream_flush</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Files/Template/TemplateManager.php">
+ <RedundantCondition occurrences="1">
+ <code>!$isDefaultTemplates</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Files/Type/Detection.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$mimetype</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Files/Type/Loader.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$update-&gt;execute()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>int</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Files/View.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>$fileId</code>
+ <code>$mtime</code>
+ </InvalidScalarArgument>
+ <NullableReturnStatement occurrences="4">
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <RedundantCondition occurrences="5">
+ <code>$result</code>
+ <code>$result &amp;&amp; in_array('delete', $hooks) and $result</code>
+ <code>Constants::PERMISSION_READ</code>
+ <code>Constants::PERMISSION_READ</code>
+ <code>is_resource($source)</code>
+ </RedundantCondition>
+ <UndefinedDocblockClass occurrences="2">
+ <code>$storage</code>
+ <code>[$storage, $internalPath]</code>
+ </UndefinedDocblockClass>
+ </file>
+ <file src="lib/private/FullTextSearch/Model/IndexDocument.php">
+ <TypeDoesNotContainNull occurrences="1">
+ <code>is_null($this-&gt;getContent())</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="lib/private/Group/Database.php">
+ <InvalidArrayOffset occurrences="1">
+ <code>$this-&gt;groupCache[$gid]['displayname']</code>
+ </InvalidArrayOffset>
+ <InvalidPropertyAssignmentValue occurrences="3">
+ <code>$this-&gt;groupCache</code>
+ <code>$this-&gt;groupCache</code>
+ <code>$this-&gt;groupCache</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/private/Group/Group.php">
+ <InvalidArgument occurrences="7">
+ <code>IGroup::class . '::postAddUser'</code>
+ <code>IGroup::class . '::postDelete'</code>
+ <code>IGroup::class . '::postRemoveUser'</code>
+ <code>IGroup::class . '::preAddUser'</code>
+ <code>IGroup::class . '::preDelete'</code>
+ <code>IGroup::class . '::preRemoveUser'</code>
+ <code>bool</code>
+ </InvalidArgument>
+ <InvalidOperand occurrences="1">
+ <code>$hide</code>
+ </InvalidOperand>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$user</code>
+ </MoreSpecificImplementedParamType>
+ <RedundantCondition occurrences="6">
+ <code>$this-&gt;emitter</code>
+ <code>$this-&gt;emitter</code>
+ <code>$this-&gt;emitter</code>
+ <code>$this-&gt;emitter</code>
+ <code>$this-&gt;emitter</code>
+ <code>$this-&gt;emitter</code>
+ </RedundantCondition>
+ <TooManyArguments occurrences="6">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedMethod occurrences="4">
+ <code>addToGroup</code>
+ <code>countUsersInGroup</code>
+ <code>deleteGroup</code>
+ <code>removeFromGroup</code>
+ </UndefinedMethod>
+ </file>
+ <file src="lib/private/Group/Manager.php">
+ <UndefinedInterfaceMethod occurrences="3">
+ <code>createGroup</code>
+ <code>getGroupDetails</code>
+ <code>isAdmin</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Http/Client/Response.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string|resource</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1"/>
+ </file>
+ <file src="lib/private/Installer.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidArgument occurrences="2">
+ <code>false</code>
+ <code>false</code>
+ </InvalidArgument>
+ <InvalidArrayOffset occurrences="2">
+ <code>$app['path']</code>
+ <code>$app['path']</code>
+ </InvalidArrayOffset>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="lib/private/IntegrityCheck/Checker.php">
+ <InvalidArrayAccess occurrences="3">
+ <code>$x509-&gt;getDN(X509::DN_OPENSSL)['CN']</code>
+ <code>$x509-&gt;getDN(X509::DN_OPENSSL)['CN']</code>
+ <code>$x509-&gt;getDN(true)['CN']</code>
+ </InvalidArrayAccess>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>getAllAliases</code>
+ <code>getOnlyDefaultAliases</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/L10N/Factory.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>null|string</code>
+ </ImplementedReturnTypeMismatch>
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>array|mixed</code>
+ </LessSpecificImplementedReturnType>
+ </file>
+ <file src="lib/private/LargeFileHelper.php">
+ <InvalidOperand occurrences="2">
+ <code>$matches[1]</code>
+ <code>$result</code>
+ </InvalidOperand>
+ <InvalidScalarArgument occurrences="1">
+ <code>$data</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Lockdown/Filesystem/NullCache.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>get</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>[]</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>getIncomplete</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="1"/>
+ </file>
+ <file src="lib/private/Lockdown/Filesystem/NullStorage.php">
+ <InvalidNullableReturnType occurrences="2">
+ <code>getOwner</code>
+ <code>getPermissions</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="2">
+ <code>new IteratorDirectory([])</code>
+ <code>new NullCache()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>getCache</code>
+ <code>opendir</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="2">
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>new IteratorDirectory([])</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/Lockdown/LockdownManager.php">
+ <InvalidFunctionCall occurrences="1">
+ <code>$callback()</code>
+ </InvalidFunctionCall>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$sessionCallback</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/private/Log.php">
+ <RedundantCondition occurrences="2">
+ <code>$request</code>
+ <code>$request</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Log/File.php">
+ <TypeDoesNotContainNull occurrences="1">
+ <code>$limit === null</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="lib/private/Log/LogDetails.php">
+ <RedundantCondition occurrences="1">
+ <code>is_string($request-&gt;getMethod())</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Log/Rotate.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$dummy</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Log/Systemdlog.php">
+ <UndefinedFunction occurrences="1"/>
+ </file>
+ <file src="lib/private/Mail/Mailer.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string[]</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$failedRecipients</code>
+ </NullableReturnStatement>
+ <UndefinedInterfaceMethod occurrences="3">
+ <code>getSubject</code>
+ <code>getSwiftMessage</code>
+ <code>getTo</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Memcache/APCu.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>apcu_add($this-&gt;getPrefix() . $key, $value, $ttl)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>bool</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Memcache/Cache.php">
+ <LessSpecificImplementedReturnType occurrences="4">
+ <code>mixed</code>
+ <code>mixed</code>
+ <code>mixed</code>
+ <code>mixed</code>
+ </LessSpecificImplementedReturnType>
+ </file>
+ <file src="lib/private/Memcache/Redis.php">
+ <InvalidMethodCall occurrences="2">
+ <code>exec</code>
+ <code>exec</code>
+ </InvalidMethodCall>
+ </file>
+ <file src="lib/private/Migration/BackgroundRepair.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$jobList</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/NavigationManager.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$id</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Notification/Manager.php">
+ <InvalidCatch occurrences="3"/>
+ </file>
+ <file src="lib/private/Preview/BackgroundCleanupJob.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>[]</code>
+ </InvalidReturnStatement>
+ </file>
+ <file src="lib/private/Preview/Generator.php">
+ <InvalidArgument occurrences="2">
+ <code>$maxPreviewImage</code>
+ <code>IPreview::EVENT</code>
+ </InvalidArgument>
+ <InvalidScalarArgument occurrences="2">
+ <code>$file-&gt;getId()</code>
+ <code>$file-&gt;getId()</code>
+ </InvalidScalarArgument>
+ <MismatchingDocblockParamType occurrences="1">
+ <code>ISimpleFile</code>
+ </MismatchingDocblockParamType>
+ <NullableReturnStatement occurrences="1">
+ <code>$preview</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedInterfaceMethod occurrences="7">
+ <code>height</code>
+ <code>height</code>
+ <code>preciseResizeCopy</code>
+ <code>resizeCopy</code>
+ <code>valid</code>
+ <code>width</code>
+ <code>width</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Preview/ProviderV1Adapter.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$thumbnail === false ? null: $thumbnail</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>?IImage</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/RedisFactory.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>\RedisCluster::OPT_SLAVE_FAILOVER</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Remote/Api/OCS.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>array</code>
+ </ImplementedReturnTypeMismatch>
+ </file>
+ <file src="lib/private/Remote/Instance.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$request-&gt;getBody()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>bool|string</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="1">
+ <code>$response</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Repair.php">
+ <InvalidArgument occurrences="1">
+ <code>"$scope::$method"</code>
+ </InvalidArgument>
+ <ParamNameMismatch occurrences="1">
+ <code>$string</code>
+ </ParamNameMismatch>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/Repair/Owncloud/CleanPreviews.php">
+ <InvalidArgument occurrences="1">
+ <code>false</code>
+ </InvalidArgument>
+ </file>
+ <file src="lib/private/Repair/Owncloud/CleanPreviewsBackgroundJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Repair/Owncloud/MoveAvatarsBackgroundJob.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$arguments</code>
+ </ParamNameMismatch>
+ <TypeDoesNotContainType occurrences="1">
+ <code>$counter % 100 === 0</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="lib/private/Repair/RemoveLinkShares.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$this-&gt;userToNotify</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/private/Repair/RepairInvalidShares.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$out</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Repair/RepairMimeTypes.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$out</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Repair/SqliteAutoincrement.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$out</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Route/Router.php">
+ <InvalidClass occurrences="1">
+ <code>\OC_APP</code>
+ </InvalidClass>
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$this-&gt;collectionName</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/Search.php">
+ <RedundantCondition occurrences="1">
+ <code>$provider instanceof Provider</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Search/Result/File.php">
+ <InvalidPropertyAssignmentValue occurrences="4">
+ <code>$data-&gt;getId()</code>
+ <code>$data-&gt;getMtime()</code>
+ <code>$data-&gt;getPermissions()</code>
+ <code>$this-&gt;hasPreview($data)</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/private/Security/Bruteforce/Throttler.php">
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="lib/private/Security/CSP/ContentSecurityPolicyNonceManager.php">
+ <NoInterfaceProperties occurrences="1">
+ <code>$this-&gt;request-&gt;server</code>
+ </NoInterfaceProperties>
+ </file>
+ <file src="lib/private/Security/CredentialsManager.php">
+ <InvalidReturnStatement occurrences="2">
+ <code>$qb-&gt;execute()</code>
+ <code>$qb-&gt;execute()</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="2">
+ <code>int</code>
+ <code>int</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/Security/Crypto.php">
+ <InternalMethod occurrences="6">
+ <code>decrypt</code>
+ <code>encrypt</code>
+ <code>setIV</code>
+ <code>setIV</code>
+ <code>setPassword</code>
+ <code>setPassword</code>
+ </InternalMethod>
+ </file>
+ <file src="lib/private/Server.php">
+ <ImplementedReturnTypeMismatch occurrences="3">
+ <code>\OCP\Calendar\Resource\IManager</code>
+ <code>\OCP\Calendar\Room\IManager</code>
+ <code>\OCP\Files\Folder|null</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidCatch occurrences="1"/>
+ <UndefinedDocblockClass occurrences="1">
+ <code>\OC\OCSClient</code>
+ </UndefinedDocblockClass>
+ </file>
+ <file src="lib/private/ServerContainer.php">
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$this-&gt;hasNoAppContainer</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/private/Session/Internal.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$value</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/Session/Memory.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$value</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/Setup.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>microtime(true)</code>
+ <code>microtime(true)</code>
+ </InvalidScalarArgument>
+ <RedundantCondition occurrences="2">
+ <code>$content !== ''</code>
+ <code>$type === 'pdo'</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/Setup/AbstractDatabase.php">
+ <UndefinedThisPropertyFetch occurrences="4">
+ <code>$this-&gt;dbprettyname</code>
+ <code>$this-&gt;dbprettyname</code>
+ <code>$this-&gt;dbprettyname</code>
+ <code>$this-&gt;dbprettyname</code>
+ </UndefinedThisPropertyFetch>
+ </file>
+ <file src="lib/private/Setup/MySQL.php">
+ <InvalidReturnType occurrences="1">
+ <code>array</code>
+ </InvalidReturnType>
+ <ParamNameMismatch occurrences="1">
+ <code>$username</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Setup/OCI.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$username</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Setup/PostgreSQL.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$username</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Setup/Sqlite.php">
+ <ParamNameMismatch occurrences="1">
+ <code>$username</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Share/Share.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidArgument occurrences="1">
+ <code>$arguments</code>
+ </InvalidArgument>
+ <InvalidOperand occurrences="1">
+ <code>!self::isResharingAllowed()</code>
+ </InvalidOperand>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>getParents</code>
+ <code>getParents</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Share20/DefaultShareProvider.php">
+ <InvalidScalarArgument occurrences="3">
+ <code>$share-&gt;getId()</code>
+ <code>$share-&gt;getId()</code>
+ <code>(int)$data['id']</code>
+ </InvalidScalarArgument>
+ <TooManyArguments occurrences="1">
+ <code>set</code>
+ </TooManyArguments>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getParent</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Share20/Manager.php">
+ <InvalidArgument occurrences="6">
+ <code>'OCP\Share::postAcceptShare'</code>
+ <code>'OCP\Share::postShare'</code>
+ <code>'OCP\Share::postUnshare'</code>
+ <code>'OCP\Share::postUnshareFromSelf'</code>
+ <code>'OCP\Share::preShare'</code>
+ <code>'OCP\Share::preUnshare'</code>
+ </InvalidArgument>
+ <InvalidScalarArgument occurrences="2">
+ <code>$id</code>
+ <code>$this-&gt;shareApiLinkDefaultExpireDays()</code>
+ </InvalidScalarArgument>
+ <TooManyArguments occurrences="7">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>update</code>
+ </TooManyArguments>
+ <UndefinedClass occurrences="1">
+ <code>\OCA\Circles\Api\v1\Circles</code>
+ </UndefinedClass>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getChildren</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Share20/ProviderFactory.php">
+ <InvalidNullableReturnType occurrences="2">
+ <code>FederatedShareProvider</code>
+ <code>ShareByMailProvider</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="4">
+ <code>$provider</code>
+ <code>$provider</code>
+ <code>$this-&gt;roomShareProvider</code>
+ <code>$this-&gt;shareByCircleProvider</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>getProviderForType</code>
+ </InvalidReturnType>
+ <NullableReturnStatement occurrences="6">
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ <code>null</code>
+ </NullableReturnStatement>
+ <ParamNameMismatch occurrences="1">
+ <code>$shareProviderClass</code>
+ </ParamNameMismatch>
+ <UndefinedClass occurrences="1">
+ <code>\OCA\Circles\ShareByCircleProvider</code>
+ </UndefinedClass>
+ <UndefinedDocblockClass occurrences="5">
+ <code>RoomShareProvider</code>
+ <code>\OCA\Circles\ShareByCircleProvider</code>
+ <code>\OCA\Talk\Share\RoomShareProvider</code>
+ <code>private $roomShareProvider = null;</code>
+ <code>private $shareByCircleProvider = null;</code>
+ </UndefinedDocblockClass>
+ <UndefinedInterfaceMethod occurrences="4">
+ <code>getLazyRootFolder</code>
+ <code>getLazyRootFolder</code>
+ <code>getLazyRootFolder</code>
+ <code>getLazyRootFolder</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Streamer.php">
+ <InvalidArgument occurrences="1">
+ <code>$fh</code>
+ </InvalidArgument>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>get</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/SubAdmin.php">
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>listen</code>
+ <code>listen</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/Support/Subscription/Registry.php">
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getSupportedApps</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/SystemTag/SystemTagManager.php">
+ <FalsableReturnStatement occurrences="3">
+ <code>false</code>
+ <code>false</code>
+ <code>false</code>
+ </FalsableReturnStatement>
+ <InvalidArgument occurrences="3">
+ <code>ManagerEvent::EVENT_CREATE</code>
+ <code>ManagerEvent::EVENT_DELETE</code>
+ <code>ManagerEvent::EVENT_UPDATE</code>
+ </InvalidArgument>
+ <InvalidReturnType occurrences="2">
+ <code>bool</code>
+ <code>bool</code>
+ </InvalidReturnType>
+ <TooManyArguments occurrences="3">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/SystemTag/SystemTagObjectMapper.php">
+ <InvalidArgument occurrences="2">
+ <code>MapperEvent::EVENT_ASSIGN</code>
+ <code>MapperEvent::EVENT_UNASSIGN</code>
+ </InvalidArgument>
+ <TooManyArguments occurrences="2">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ </file>
+ <file src="lib/private/TagManager.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>\OCP\ITags</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/Tags.php">
+ <InvalidArgument occurrences="1">
+ <code>[$this-&gt;user, $this-&gt;type, $chunk]</code>
+ </InvalidArgument>
+ <InvalidScalarArgument occurrences="2">
+ <code>$from</code>
+ <code>$names</code>
+ </InvalidScalarArgument>
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$tag</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/private/TempManager.php">
+ <FalsableReturnStatement occurrences="2">
+ <code>false</code>
+ <code>false</code>
+ </FalsableReturnStatement>
+ </file>
+ <file src="lib/private/Template/CSSResourceLocator.php">
+ <ParamNameMismatch occurrences="2">
+ <code>$style</code>
+ <code>$style</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/Template/JSConfigHelper.php">
+ <NullArgument occurrences="2">
+ <code>null</code>
+ <code>null</code>
+ </NullArgument>
+ </file>
+ <file src="lib/private/Template/JSResourceLocator.php">
+ <InvalidArgument occurrences="1">
+ <code>false</code>
+ </InvalidArgument>
+ <InvalidOperand occurrences="6">
+ <code>$this-&gt;appendIfExist($this-&gt;serverroot, $script.'.js')</code>
+ <code>$this-&gt;appendIfExist($this-&gt;serverroot, $theme_dir.$script.'.js')</code>
+ <code>$this-&gt;appendIfExist($this-&gt;serverroot, $theme_dir.'apps/'.$script.'.js')</code>
+ <code>$this-&gt;appendIfExist($this-&gt;serverroot, $theme_dir.'core/'.$script.'.js')</code>
+ <code>$this-&gt;appendIfExist($this-&gt;serverroot, 'apps/'.$script.'.js')</code>
+ <code>$this-&gt;appendIfExist($this-&gt;serverroot, 'core/'.$script.'.js')</code>
+ </InvalidOperand>
+ <ParamNameMismatch occurrences="2">
+ <code>$script</code>
+ <code>$script</code>
+ </ParamNameMismatch>
+ </file>
+ <file src="lib/private/TemplateLayout.php">
+ <InvalidParamDefault occurrences="2">
+ <code>string</code>
+ <code>string</code>
+ </InvalidParamDefault>
+ <InvalidScalarArgument occurrences="2">
+ <code>$appName</code>
+ <code>$appName</code>
+ </InvalidScalarArgument>
+ <UndefinedInterfaceMethod occurrences="1">
+ <code>getInitialStates</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/URLGenerator.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$path</code>
+ </InvalidReturnStatement>
+ </file>
+ <file src="lib/private/Updater.php">
+ <InvalidScalarArgument occurrences="13">
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>0</code>
+ <code>1</code>
+ <code>1</code>
+ <code>1</code>
+ <code>1</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/Updater/VersionCheck.php">
+ <InvalidScalarArgument occurrences="2">
+ <code>microtime(true)</code>
+ <code>time()</code>
+ </InvalidScalarArgument>
+ </file>
+ <file src="lib/private/User/Database.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>false</code>
+ </FalsableReturnStatement>
+ <ImplicitToStringCast occurrences="1">
+ <code>$query-&gt;func()-&gt;lower('displayname')</code>
+ </ImplicitToStringCast>
+ </file>
+ <file src="lib/private/User/Manager.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>array|int</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidArgument occurrences="1">
+ <code>$callback</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="1">
+ <code>bool|IUser</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="2">
+ <code>$this-&gt;createUserFromBackend($uid, $password, $backend)</code>
+ <code>$this-&gt;createUserFromBackend($uid, $password, $backend)</code>
+ </NullableReturnStatement>
+ <UndefinedInterfaceMethod occurrences="5">
+ <code>checkPassword</code>
+ <code>checkPassword</code>
+ <code>countUsers</code>
+ <code>createUser</code>
+ <code>getUsersForUserValueCaseInsensitive</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/User/Session.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>boolean|null</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidArgument occurrences="1">
+ <code>IUser::class . '::firstLogin'</code>
+ </InvalidArgument>
+ <InvalidScalarArgument occurrences="2">
+ <code>$this-&gt;timeFactory-&gt;getTime()</code>
+ <code>$this-&gt;timeFactory-&gt;getTime()</code>
+ </InvalidScalarArgument>
+ <NoInterfaceProperties occurrences="2">
+ <code>$request-&gt;server</code>
+ <code>$request-&gt;server</code>
+ </NoInterfaceProperties>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedMethod occurrences="1">
+ <code>getByEmail</code>
+ </UndefinedMethod>
+ </file>
+ <file src="lib/private/User/User.php">
+ <InvalidArgument occurrences="5">
+ <code>IUser::class . '::changeUser'</code>
+ <code>IUser::class . '::postDelete'</code>
+ <code>IUser::class . '::postSetPassword'</code>
+ <code>IUser::class . '::preDelete'</code>
+ <code>IUser::class . '::preSetPassword'</code>
+ </InvalidArgument>
+ <InvalidNullableReturnType occurrences="1">
+ <code>getBackend</code>
+ </InvalidNullableReturnType>
+ <InvalidReturnStatement occurrences="1">
+ <code>$image</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>IImage|null</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="2">
+ <code>$quota</code>
+ <code>$this-&gt;lastLogin</code>
+ </InvalidScalarArgument>
+ <NullableReturnStatement occurrences="1">
+ <code>$this-&gt;backend</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="5">
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ <code>dispatch</code>
+ </TooManyArguments>
+ <UndefinedInterfaceMethod occurrences="5">
+ <code>canChangeAvatar</code>
+ <code>deleteUserAvatar</code>
+ <code>getHome</code>
+ <code>setDisplayName</code>
+ <code>setPassword</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/legacy/OC_API.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>int</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/private/legacy/OC_App.php">
+ <InvalidArgument occurrences="2">
+ <code>$groupsList</code>
+ <code>ManagerEvent::EVENT_APP_UPDATE</code>
+ </InvalidArgument>
+ <InvalidArrayOffset occurrences="2">
+ <code>$dir['path']</code>
+ <code>$dir['url']</code>
+ </InvalidArrayOffset>
+ <NullArgument occurrences="1">
+ <code>null</code>
+ </NullArgument>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ <TooManyArguments occurrences="1">
+ <code>dispatch</code>
+ </TooManyArguments>
+ <TypeDoesNotContainNull occurrences="2">
+ <code>$appId === null</code>
+ <code>$appId === null</code>
+ </TypeDoesNotContainNull>
+ </file>
+ <file src="lib/private/legacy/OC_DB.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$result</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>OC_DB_StatementWrapper</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/private/legacy/OC_FileChunking.php">
+ <UndefinedDocblockClass occurrences="1">
+ <code>\OC\InsufficientStorageException</code>
+ </UndefinedDocblockClass>
+ </file>
+ <file src="lib/private/legacy/OC_Files.php">
+ <InvalidArgument occurrences="1">
+ <code>$fh</code>
+ </InvalidArgument>
+ <InvalidScalarArgument occurrences="1">
+ <code>mt_rand()</code>
+ </InvalidScalarArgument>
+ <RedundantCondition occurrences="2">
+ <code>$getType === self::ZIP_DIR</code>
+ <code>$getType === self::ZIP_DIR</code>
+ </RedundantCondition>
+ <UndefinedInterfaceMethod occurrences="2">
+ <code>get</code>
+ <code>get</code>
+ </UndefinedInterfaceMethod>
+ </file>
+ <file src="lib/private/legacy/OC_Helper.php">
+ <InvalidOperand occurrences="1">
+ <code>$matches[1][$last_match][0]</code>
+ </InvalidOperand>
+ <InvalidReturnStatement occurrences="4">
+ <code>(INF &gt; 0)? INF: PHP_INT_MAX</code>
+ <code>INF</code>
+ <code>max($upload_max_filesize, $post_max_size)</code>
+ <code>min($upload_max_filesize, $post_max_size)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>int</code>
+ </InvalidReturnType>
+ <InvalidScalarArgument occurrences="4">
+ <code>$includeExtStorage ? 'ext' : false</code>
+ <code>$path</code>
+ <code>$quota</code>
+ <code>'ext'</code>
+ </InvalidScalarArgument>
+ <RedundantCondition occurrences="1">
+ <code>count($obd_values) &gt; 0</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/legacy/OC_Image.php">
+ <ImplementedReturnTypeMismatch occurrences="1">
+ <code>null|string</code>
+ </ImplementedReturnTypeMismatch>
+ <InvalidArrayOffset occurrences="2">
+ <code>$data[floor($p)]</code>
+ <code>$data[floor($p)]</code>
+ </InvalidArrayOffset>
+ <InvalidScalarArgument occurrences="4">
+ <code>$this-&gt;bitDepth</code>
+ <code>$x</code>
+ <code>$y</code>
+ <code>90</code>
+ </InvalidScalarArgument>
+ <RedundantCondition occurrences="1">
+ <code>$isWritable</code>
+ </RedundantCondition>
+ </file>
+ <file src="lib/private/legacy/OC_User.php">
+ <UndefinedClass occurrences="1">
+ <code>\Test\Util\User\Dummy</code>
+ </UndefinedClass>
+ </file>
+ <file src="lib/private/legacy/OC_Util.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>OC_Helper::computerFileSize($userQuota)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>float</code>
+ </InvalidReturnType>
+ <RedundantCondition occurrences="1">
+ <code>is_string($expected)</code>
+ </RedundantCondition>
+ <TypeDoesNotContainType occurrences="3">
+ <code>is_bool($expected)</code>
+ <code>is_bool($setting[1])</code>
+ <code>is_int($expected)</code>
+ </TypeDoesNotContainType>
+ </file>
+ <file src="lib/public/AppFramework/ApiController.php">
+ <NoInterfaceProperties occurrences="1">
+ <code>$this-&gt;request-&gt;server</code>
+ </NoInterfaceProperties>
+ </file>
+ <file src="lib/public/AppFramework/App.php">
+ <InternalMethod occurrences="1">
+ <code>new RouteConfig($this-&gt;container, $router, $routes)</code>
+ </InternalMethod>
+ </file>
+ <file src="lib/public/AppFramework/Bootstrap/IBootContext.php">
+ <InvalidThrow occurrences="1">
+ <code>ContainerExceptionInterface</code>
+ </InvalidThrow>
+ </file>
+ <file src="lib/public/AppFramework/Db/Entity.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>string</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>$column</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/public/AppFramework/Http/JSONResponse.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>$this-&gt;data</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>array</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/public/AppFramework/Http/ZipResponse.php">
+ <InvalidArrayAccess occurrences="5">
+ <code>$resource['internalName']</code>
+ <code>$resource['resource']</code>
+ <code>$resource['size']</code>
+ <code>$resource['size']</code>
+ <code>$resource['time']</code>
+ </InvalidArrayAccess>
+ <InvalidPropertyAssignmentValue occurrences="1">
+ <code>$this-&gt;resources</code>
+ </InvalidPropertyAssignmentValue>
+ </file>
+ <file src="lib/public/BackgroundJob/TimedJob.php">
+ <MoreSpecificImplementedParamType occurrences="1">
+ <code>$jobList</code>
+ </MoreSpecificImplementedParamType>
+ </file>
+ <file src="lib/public/Dashboard/Model/WidgetTemplate.php">
+ <InvalidNullableReturnType occurrences="1">
+ <code>WidgetSetting</code>
+ </InvalidNullableReturnType>
+ <NullableReturnStatement occurrences="1">
+ <code>null</code>
+ </NullableReturnStatement>
+ </file>
+ <file src="lib/public/Diagnostics/IQueryLogger.php">
+ <LessSpecificImplementedReturnType occurrences="1">
+ <code>mixed</code>
+ </LessSpecificImplementedReturnType>
+ </file>
+ <file src="lib/public/Files.php">
+ <FalsableReturnStatement occurrences="1">
+ <code>\OC_App::getStorage($app)</code>
+ </FalsableReturnStatement>
+ </file>
+ <file src="lib/public/Files/Storage.php">
+ <InvalidParamDefault occurrences="1">
+ <code>array</code>
+ </InvalidParamDefault>
+ </file>
+ <file src="lib/public/FullTextSearch/Model/ISearchRequest.php">
+ <InvalidClass occurrences="1">
+ <code>IsearchRequest</code>
+ </InvalidClass>
+ </file>
+ <file src="lib/public/IAddressBook.php">
+ <InvalidDocblock occurrences="1">
+ <code>public function getUri(): string;</code>
+ </InvalidDocblock>
+ </file>
+ <file src="lib/public/IAvatar.php">
+ <UndefinedDocblockClass occurrences="1">
+ <code>Color</code>
+ </UndefinedDocblockClass>
+ </file>
+ <file src="lib/public/IContainer.php">
+ <InvalidThrow occurrences="2">
+ <code>ContainerExceptionInterface</code>
+ <code>ContainerExceptionInterface</code>
+ </InvalidThrow>
+ </file>
+ <file src="lib/public/IDBConnection.php">
+ <InvalidClass occurrences="1">
+ <code>PreconditionNotMetException</code>
+ </InvalidClass>
+ </file>
+ <file src="lib/public/Search/SearchResult.php">
+ <InvalidArgument occurrences="1">
+ <code>$cursor</code>
+ </InvalidArgument>
+ </file>
+ <file src="lib/public/Share.php">
+ <InvalidReturnType occurrences="3">
+ <code>array</code>
+ <code>array|bool</code>
+ <code>mixed</code>
+ </InvalidReturnType>
+ </file>
+ <file src="lib/public/Util.php">
+ <InvalidReturnStatement occurrences="1">
+ <code>\OC_Helper::computerFileSize($str)</code>
+ </InvalidReturnStatement>
+ <InvalidReturnType occurrences="1">
+ <code>float</code>
+ </InvalidReturnType>
+ </file>
+ <file src="remote.php">
+ <InvalidScalarArgument occurrences="1">
+ <code>$e-&gt;getCode()</code>
+ </InvalidScalarArgument>
+ </file>
+</files>
diff --git a/config/config.sample.php b/config/config.sample.php
index 4569d6f1274..d7ba31f54df 100644
--- a/config/config.sample.php
+++ b/config/config.sample.php
@@ -840,6 +840,14 @@ $CONFIG = array(
*/
'log_rotate_size' => 100 * 1024 * 1024,
+/**
+ * Enable built-in profiler. Helpful when trying to debug performance
+ * issues.
+ *
+ * Note that this has a performance impact and shouldn't be enabled
+ * on production.
+ */
+'profiler' => false,
/**
* Alternate Code Locations
diff --git a/core/templates/layout.user.php b/core/templates/layout.user.php
index 94933ef775d..9103d7630ce 100644
--- a/core/templates/layout.user.php
+++ b/core/templates/layout.user.php
@@ -163,6 +163,6 @@
<div id="content" class="app-<?php p($_['appid']) ?>" role="main">
<?php print_unescaped($_['content']); ?>
</div>
-
+ <div id="profiler-toolbar"></div>
</body>
</html>
diff --git a/lib/autoloader.php b/lib/autoloader.php
index 4377a84f307..b3f71eccc05 100644
--- a/lib/autoloader.php
+++ b/lib/autoloader.php
@@ -35,6 +35,7 @@ namespace OC;
use \OCP\AutoloadNotAllowedException;
use OCP\ILogger;
+use OCP\ICache;
class Autoloader {
/** @var bool */
@@ -179,7 +180,7 @@ class Autoloader {
/**
* Sets the optional low-latency cache for class to path mapping.
*
- * @param \OC\Memcache\Cache $memoryCache Instance of memory cache.
+ * @param ICache $memoryCache Instance of memory cache.
*/
public function setMemoryCache(\OC\Memcache\Cache $memoryCache = null) {
$this->memoryCache = $memoryCache;
diff --git a/lib/base.php b/lib/base.php
index 641a3929843..cf6dd048ca9 100644
--- a/lib/base.php
+++ b/lib/base.php
@@ -608,8 +608,19 @@ class OC {
// setup the basic server
self::$server = new \OC\Server(\OC::$WEBROOT, self::$config);
- \OC::$server->getEventLogger()->log('autoloader', 'Autoloader', $loaderStart, $loaderEnd);
- \OC::$server->getEventLogger()->start('boot', 'Initialize');
+
+ $eventLogger = \OC::$server->getEventLogger();
+ $eventLogger->log('autoloader', 'Autoloader', $loaderStart, $loaderEnd);
+ $eventLogger->start('request', 'Full request after autoloading');
+ register_shutdown_function(function () use ($eventLogger) {
+ $eventLogger->end('request');
+ });
+ $eventLogger->start('boot', 'Initialize');
+
+ // Override php.ini and log everything if we're troubleshooting
+ if (self::$config->getValue('loglevel') === ILogger::DEBUG) {
+ error_reporting(E_ALL);
+ }
// Don't display errors and log them
error_reporting(E_ALL | E_STRICT);
diff --git a/lib/private/AppFramework/App.php b/lib/private/AppFramework/App.php
index a3f216ce911..419c5af5f05 100644
--- a/lib/private/AppFramework/App.php
+++ b/lib/private/AppFramework/App.php
@@ -36,6 +36,14 @@ use OCP\AppFramework\QueryException;
use OCP\AppFramework\Http\ICallbackResponse;
use OCP\AppFramework\Http\IOutput;
use OCP\IRequest;
+use OCP\IConfig;
+use OCP\Profiler\IProfiler;
+use OCP\Diagnostics\IEventLogger;
+use OC\Profiler\RoutingDataCollector;
+
+function str_starts_with($query, $string) {
+ return substr($string, 0, strlen($query)) === $query;
+}
/**
* Entry point for every request in your app. You can consider this as your
@@ -73,7 +81,6 @@ class App {
return $topNamespace . self::$nameSpaceCache[$appId];
}
-
/**
* Shortcut for calling a controller method and printing the result
* @param string $controllerName the name of the controller under which it is
@@ -83,6 +90,16 @@ class App {
* @param array $urlParams list of URL parameters (optional)
*/
public static function main(string $controllerName, string $methodName, DIContainer $container, array $urlParams = null) {
+ /** @var IProfiler $profiler */
+ $profiler = $container->query(IProfiler::class);
+ $config = $container->query(IConfig::class);
+ // Disable profiler on the profiler UI
+ $profiler->setEnabled($profiler->isEnabled() && !is_null($urlParams) && isset($urlParams['_route']) && !str_starts_with($urlParams['_route'], 'profiler.'));
+ if ($profiler->isEnabled()) {
+ \OC::$server->query(IEventLogger::class)->activate();
+ $profiler->add(new RoutingDataCollector($container['AppName'], $controllerName, $methodName));
+ }
+
if (!is_null($urlParams)) {
$container->query(IRequest::class)->setUrlParameters($urlParams);
} else if (isset($container['urlParams']) && !is_null($container['urlParams'])) {
@@ -119,6 +136,17 @@ class App {
$io = $container[IOutput::class];
+ if ($profiler->isEnabled()) {
+ /** @var EventLogger $eventLogger */
+ $eventLogger = $container->query(IEventLogger::class);
+ $eventLogger->end('runtime');
+ $profile = $profiler->collect($container->query(IRequest::class), $response);
+ $profiler->saveProfile($profile);
+ $io->setHeader('X-Debug-Token:' . $profile->getToken());
+ $io->setHeader('Server-Timing: token;desc="' . $profile->getToken() . '"');
+ }
+
+
if(!is_null($httpHeaders)) {
$io->setHeader($httpHeaders);
}
diff --git a/lib/private/AppFramework/Utility/SimpleContainer.php b/lib/private/AppFramework/Utility/SimpleContainer.php
index 6c2844e681b..36d0d9cd42c 100644
--- a/lib/private/AppFramework/Utility/SimpleContainer.php
+++ b/lib/private/AppFramework/Utility/SimpleContainer.php
@@ -98,10 +98,10 @@ class SimpleContainer extends Container implements IContainer {
return $this->buildClass($class);
} else {
throw new QueryException($baseMsg .
- ' Class can not be instantiated');
+ ' Class can not be instantiated ' . debug_backtrace());
}
} catch(ReflectionException $e) {
- throw new QueryException($baseMsg . ' ' . $e->getMessage());
+ throw new QueryException($baseMsg . ' ' . $e->getMessage() . ' ' . var_export(debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS), true));
}
}
diff --git a/lib/private/Cache/CappedMemoryCache.php b/lib/private/Cache/CappedMemoryCache.php
index 2e180cfb013..0b78fd347e4 100644
--- a/lib/private/Cache/CappedMemoryCache.php
+++ b/lib/private/Cache/CappedMemoryCache.php
@@ -93,4 +93,8 @@ class CappedMemoryCache implements ICache, \ArrayAccess {
$this->remove($key);
}
}
+
+ public static function isAvailable(): bool {
+ return true;
+ }
}
diff --git a/lib/private/Cache/File.php b/lib/private/Cache/File.php
index fdf7606de0f..ff922e5657b 100644
--- a/lib/private/Cache/File.php
+++ b/lib/private/Cache/File.php
@@ -201,4 +201,8 @@ class File implements ICache {
}
}
}
+
+ public static function isAvailable(): bool {
+ return true;
+ }
}
diff --git a/lib/private/DB/DbDataCollector.php b/lib/private/DB/DbDataCollector.php
new file mode 100644
index 00000000000..102fbdd56af
--- /dev/null
+++ b/lib/private/DB/DbDataCollector.php
@@ -0,0 +1,154 @@
+<?php
+
+declare(strict_types = 1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OC\DB;
+
+use Doctrine\DBAL\Logging\DebugStack;
+use Doctrine\DBAL\Types\ConversionException;
+use Doctrine\DBAL\Types\Type;
+use OC\AppFramework\Http\Request;
+use OCP\AppFramework\Http\Response;
+
+class DbDataCollector extends \OCP\DataCollector\AbstractDataCollector {
+ protected $debugStack = null;
+ private $connection;
+
+ /**
+ * DbDataCollector constructor.
+ */
+ public function __construct(Connection $connection) {
+ $this->connection = $connection;
+ }
+
+ public function setDebugStack(DebugStack $debugStack, $name = 'default'): void {
+ $this->debugStack = $debugStack;
+ }
+
+ /**
+ * @inheritDoc
+ */
+ public function collect(Request $request, Response $response, \Throwable $exception = null): void {
+ $queries = $this->sanitizeQueries($this->debugStack->queries);
+
+ $this->data = [
+ 'queries' => $queries,
+ ];
+ }
+
+ public function getName(): string {
+ return 'db';
+ }
+
+ public function getQueries(): array {
+ return $this->data['queries'];
+ }
+
+ private function sanitizeQueries(array $queries): array {
+ foreach ($queries as $i => $query) {
+ $queries[$i] = $this->sanitizeQuery($query);
+ }
+
+ return $queries;
+ }
+
+ private function sanitizeQuery(array $query): array {
+ $query['explainable'] = true;
+ $query['runnable'] = true;
+ if (null === $query['params']) {
+ $query['params'] = [];
+ }
+ if (!\is_array($query['params'])) {
+ $query['params'] = [$query['params']];
+ }
+ if (!\is_array($query['types'])) {
+ $query['types'] = [];
+ }
+ foreach ($query['params'] as $j => $param) {
+ $e = null;
+ if (isset($query['types'][$j])) {
+ // Transform the param according to the type
+ $type = $query['types'][$j];
+ if (\is_string($type)) {
+ $type = Type::getType($type);
+ }
+ if ($type instanceof Type) {
+ $query['types'][$j] = $type->getBindingType();
+ try {
+ $param = $type->convertToDatabaseValue($param, $this->connection->getDatabasePlatform());
+ } catch (\TypeError $e) {
+ } catch (ConversionException $e) {
+ }
+ }
+ }
+
+ [$query['params'][$j], $explainable, $runnable] = $this->sanitizeParam($param, $e);
+ if (!$explainable) {
+ $query['explainable'] = false;
+ }
+
+ if (!$runnable) {
+ $query['runnable'] = false;
+ }
+ }
+
+ return $query;
+ }
+
+ /**
+ * Sanitizes a param.
+ *
+ * The return value is an array with the sanitized value and a boolean
+ * indicating if the original value was kept (allowing to use the sanitized
+ * value to explain the query).
+ */
+ private function sanitizeParam($var, ?\Throwable $error): array {
+ if (\is_object($var)) {
+ return [$o = new ObjectParameter($var, $error), false, $o->isStringable() && !$error];
+ }
+
+ if ($error) {
+ return ['âš  '.$error->getMessage(), false, false];
+ }
+
+ if (\is_array($var)) {
+ $a = [];
+ $explainable = $runnable = true;
+ foreach ($var as $k => $v) {
+ [$value, $e, $r] = $this->sanitizeParam($v, null);
+ $explainable = $explainable && $e;
+ $runnable = $runnable && $r;
+ $a[$k] = $value;
+ }
+
+ return [$a, $explainable, $runnable];
+ }
+
+ if (\is_resource($var)) {
+ return [sprintf('/* Resource(%s) */', get_resource_type($var)), false, false];
+ }
+
+ return [$var, true, true];
+ }
+}
diff --git a/lib/private/DB/ObjectParameter.php b/lib/private/DB/ObjectParameter.php
new file mode 100644
index 00000000000..61ac16018d8
--- /dev/null
+++ b/lib/private/DB/ObjectParameter.php
@@ -0,0 +1,71 @@
+<?php
+
+declare(strict_types = 1);
+
+/*
+ * This file is part of the Symfony package.
+ *
+ *
+ * For the full copyright and license information, please view the LICENSE
+ * file that was distributed with this source code.
+ */
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ * @author Fabien Potencier <fabien@symfony.com>
+ *
+ * @license AGPL-3.0-or-later AND MIT
+ *
+ * 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 OC\DB;
+
+final class ObjectParameter {
+ private $object;
+ private $error;
+ private $stringable;
+ private $class;
+
+ /**
+ * @param object $object
+ */
+ public function __construct($object, ?\Throwable $error) {
+ $this->object = $object;
+ $this->error = $error;
+ $this->stringable = \is_callable([$object, '__toString']);
+ $this->class = \get_class($object);
+ }
+
+ /**
+ * @return object
+ */
+ public function getObject() {
+ return $this->object;
+ }
+
+ public function getError(): ?\Throwable {
+ return $this->error;
+ }
+
+ public function isStringable(): bool {
+ return $this->stringable;
+ }
+
+ public function getClass(): string {
+ return $this->class;
+ }
+}
diff --git a/lib/private/DB/ReconnectWrapper.php b/lib/private/DB/ReconnectWrapper.php
index 27a34c862a7..0f2596f4bc9 100644
--- a/lib/private/DB/ReconnectWrapper.php
+++ b/lib/private/DB/ReconnectWrapper.php
@@ -24,6 +24,8 @@ namespace OC\DB;
use Doctrine\Common\EventManager;
use Doctrine\DBAL\Configuration;
use Doctrine\DBAL\Driver;
+use OCP\Profiler\IProfiler;
+use Doctrine\DBAL\Logging\DebugStack;
class ReconnectWrapper extends \Doctrine\DBAL\Connection {
const CHECK_CONNECTION_INTERVAL = 60;
@@ -33,6 +35,16 @@ class ReconnectWrapper extends \Doctrine\DBAL\Connection {
public function __construct(array $params, Driver $driver, Configuration $config = null, EventManager $eventManager = null) {
parent::__construct($params, $driver, $config, $eventManager);
$this->lastConnectionCheck = time();
+
+ /** @var \OCP\Profiler\IProfiler */
+ $profiler = \OC::$server->query(IProfiler::class);
+ if ($profiler->isEnabled()) {
+ $this->dbDataCollector = new DbDataCollector($this);
+ $profiler->add($this->dbDataCollector);
+ $debugStack = new DebugStack();
+ $this->dbDataCollector->setDebugStack($debugStack);
+ $this->_config->setSQLLogger($debugStack);
+ }
}
public function connect() {
diff --git a/lib/private/Memcache/LoggerWrapperCache.php b/lib/private/Memcache/LoggerWrapperCache.php
new file mode 100644
index 00000000000..55c0e76db79
--- /dev/null
+++ b/lib/private/Memcache/LoggerWrapperCache.php
@@ -0,0 +1,177 @@
+<?php
+
+declare(strict_types = 1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OC\Memcache;
+
+use OCP\IMemcacheTTL;
+
+/**
+ * Cache wrapper that logs the cache operation in a log file
+ */
+class LoggerWrapperCache extends Cache implements IMemcacheTTL {
+ /** @var Redis */
+ protected $wrappedCache;
+
+ /** @var string $logFile */
+ private $logFile;
+
+ /** @var string $prefix */
+ protected $prefix;
+
+ public function __construct(Redis $wrappedCache, string $logFile) {
+ parent::__construct($wrappedCache->getPrefix());
+ $this->wrappedCache = $wrappedCache;
+ $this->logFile = $logFile;
+ }
+
+ /**
+ * @return string Prefix used for caching purposes
+ */
+ public function getPrefix() {
+ return $this->prefix;
+ }
+
+ protected function getNameSpace() {
+ return $this->prefix;
+ }
+
+ /** @inheritDoc */
+ public function get($key) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::get::' . $key . "\n",
+ FILE_APPEND
+ );
+ return $this->wrappedCache->get($key);
+ }
+
+ /** @inheritDoc */
+ public function set($key, $value, $ttl = 0) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::set::' . $key . '::' . $ttl . '::' . json_encode($value) . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->set($key, $value, $$ttl);
+ }
+
+ /** @inheritDoc */
+ public function hasKey($key) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::hasKey::' . $key . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->hasKey($key);
+ }
+
+ /** @inheritDoc */
+ public function remove($key) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::remove::' . $key . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->remove($key);
+ }
+
+ /** @inheritDoc */
+ public function clear($prefix = '') {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::clear::' . $prefix . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->clear($prefix);
+ }
+
+ /** @inheritDoc */
+ public function add($key, $value, $ttl = 0) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::add::' . $key . '::' . $value . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->add($key, $value, $ttl);
+ }
+
+ /** @inheritDoc */
+ public function inc($key, $step = 1) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::inc::' . $key . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->inc($key, $step);
+ }
+
+ /** @inheritDoc */
+ public function dec($key, $step = 1) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::dec::' . $key . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->dec($key, $step);
+ }
+
+ /** @inheritDoc */
+ public function cas($key, $old, $new) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::cas::' . $key . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->cas($key, $old, $new);
+ }
+
+ /** @inheritDoc */
+ public function cad($key, $old) {
+ file_put_contents(
+ $this->logFile,
+ $this->getNameSpace() . '::cad::' . $key . "\n",
+ FILE_APPEND
+ );
+
+ return $this->wrappedCache->cad($key, $old);
+ }
+
+ /** @inheritDoc */
+ public function setTTL($key, $ttl) {
+ $this->wrappedCache->setTTL($key, $ttl);
+ }
+
+ public static function isAvailable(): bool {
+ return true;
+ }
+}
diff --git a/lib/private/Memcache/ProfilerWrapperCache.php b/lib/private/Memcache/ProfilerWrapperCache.php
new file mode 100644
index 00000000000..8e9b160ba0e
--- /dev/null
+++ b/lib/private/Memcache/ProfilerWrapperCache.php
@@ -0,0 +1,220 @@
+<?php
+
+declare(strict_types = 1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OC\Memcache;
+
+use OC\AppFramework\Http\Request;
+use OCP\AppFramework\Http\Response;
+use OCP\DataCollector\AbstractDataCollector;
+use OCP\IMemcacheTTL;
+
+/**
+ * Cache wrapper that logs profiling information
+ */
+class ProfilerWrapperCache extends AbstractDataCollector implements IMemcacheTTL, \ArrayAccess {
+ /** @var Redis $wrappedCache*/
+ protected $wrappedCache;
+
+ /** @var string $prefix */
+ protected $prefix;
+
+ /** @var string $type */
+ private $type;
+
+ public function __construct(Redis $wrappedCache, string $type) {
+ $this->prefix = $wrappedCache->getPrefix();
+ $this->wrappedCache = $wrappedCache;
+ $this->type = $type;
+ $this->data['queries'] = [];
+ $this->data['cacheHit'] = 0;
+ $this->data['cacheMiss'] = 0;
+ }
+
+ public function getPrefix(): string {
+ return $this->prefix;
+ }
+
+ /** @inheritDoc */
+ public function get($key) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->get($key);
+ if ($ret === null) {
+ $this->data['cacheMiss']++;
+ } else {
+ $this->data['cacheHit']++;
+ }
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::get::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function set($key, $value, $ttl = 0) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->set($key, $value, $ttl);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::set::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function hasKey($key) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->hasKey($key);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::hasKey::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function remove($key) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->remove($key);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::remove::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function clear($prefix = '') {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->clear($prefix);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::clear::' . $prefix,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function add($key, $value, $ttl = 0) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->add($key, $value, $ttl);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::add::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function inc($key, $step = 1) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->inc($key, $step);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::inc::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function dec($key, $step = 1) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->dec($key, $step);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::dev::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function cas($key, $old, $new) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->cas($key, $old, $new);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::cas::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function cad($key, $old) {
+ $start = microtime(true);
+ $ret = $this->wrappedCache->cad($key, $old);
+ $this->data['queries'][] = [
+ 'start' => $start,
+ 'end' => microtime(true),
+ 'op' => $this->getPrefix() . '::cad::' . $key,
+ ];
+ return $ret;
+ }
+
+ /** @inheritDoc */
+ public function setTTL($key, $ttl) {
+ $this->wrappedCache->setTTL($key, $ttl);
+ }
+
+ public function offsetExists($offset): bool {
+ return $this->hasKey($offset);
+ }
+
+ public function offsetSet($offset, $value): void {
+ $this->set($offset, $value);
+ }
+
+ /**
+ * @return mixed
+ */
+ #[\ReturnTypeWillChange]
+ public function offsetGet($offset) {
+ return $this->get($offset);
+ }
+
+ public function offsetUnset($offset): void {
+ $this->remove($offset);
+ }
+
+ public function collect(Request $request, Response $response, \Throwable $exception = null): void {
+ // Nothing to do here $data is already ready
+ }
+
+ public function getName(): string {
+ return 'cache/' . $this->type . '/' . $this->prefix;
+ }
+
+ public static function isAvailable(): bool {
+ return true;
+ }
+}
diff --git a/lib/private/Profiler/FileProfilerStorage.php b/lib/private/Profiler/FileProfilerStorage.php
new file mode 100644
index 00000000000..ee09636f222
--- /dev/null
+++ b/lib/private/Profiler/FileProfilerStorage.php
@@ -0,0 +1,286 @@
+<?php
+
+declare(strict_types = 1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ * @author Alexandre Salomé <alexandre.salome@gmail.com>
+ *
+ * @license AGPL-3.0-or-later AND MIT
+ *
+ * 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 OC\Profiler;
+
+use OCP\Profiler\IProfile;
+
+/**
+ * Storage for profiler using files.
+ */
+class FileProfilerStorage {
+ // Folder where profiler data are stored.
+ private $folder;
+
+ /**
+ * Constructs the file storage using a "dsn-like" path.
+ *
+ * Example : "file:/path/to/the/storage/folder"
+ *
+ * @throws \RuntimeException
+ */
+ public function __construct(string $folder) {
+ $this->folder = $folder;
+
+ if (!is_dir($this->folder) && false === @mkdir($this->folder, 0777, true) && !is_dir($this->folder)) {
+ throw new \RuntimeException(sprintf('Unable to create the storage directory (%s).', $this->folder));
+ }
+ }
+
+ public function find(?string $url, ?int $limit, ?string $method, int $start = null, int $end = null, string $statusCode = null): array {
+ $file = $this->getIndexFilename();
+
+ if (!file_exists($file)) {
+ return [];
+ }
+
+ $file = fopen($file, 'r');
+ fseek($file, 0, \SEEK_END);
+
+ $result = [];
+ while (\count($result) < $limit && $line = $this->readLineFromFile($file)) {
+ $values = str_getcsv($line);
+ [$csvToken, $csvMethod, $csvUrl, $csvTime, $csvParent, $csvStatusCode] = $values;
+ $csvTime = (int) $csvTime;
+
+ if ($url && false === strpos($csvUrl, $url) || $method && false === strpos($csvMethod, $method) || $statusCode && false === strpos($csvStatusCode, $statusCode)) {
+ continue;
+ }
+
+ if (!empty($start) && $csvTime < $start) {
+ continue;
+ }
+
+ if (!empty($end) && $csvTime > $end) {
+ continue;
+ }
+
+ $result[$csvToken] = [
+ 'token' => $csvToken,
+ 'method' => $csvMethod,
+ 'url' => $csvUrl,
+ 'time' => $csvTime,
+ 'parent' => $csvParent,
+ 'status_code' => $csvStatusCode,
+ ];
+ }
+
+ fclose($file);
+
+ return array_values($result);
+ }
+
+ public function purge(): void {
+ $flags = \FilesystemIterator::SKIP_DOTS;
+ $iterator = new \RecursiveDirectoryIterator($this->folder, $flags);
+ $iterator = new \RecursiveIteratorIterator($iterator, \RecursiveIteratorIterator::CHILD_FIRST);
+
+ foreach ($iterator as $file) {
+ if (is_file($file)) {
+ unlink($file);
+ } else {
+ rmdir($file);
+ }
+ }
+ }
+
+ public function read(string $token): ?IProfile {
+ if (!$token || !file_exists($file = $this->getFilename($token))) {
+ return null;
+ }
+
+ if (\function_exists('gzcompress')) {
+ $file = 'compress.zlib://'.$file;
+ }
+
+ return $this->createProfileFromData($token, unserialize(file_get_contents($file)));
+ }
+
+ /**
+ * @throws \RuntimeException
+ */
+ public function write(IProfile $profile): bool {
+ $file = $this->getFilename($profile->getToken());
+
+ $profileIndexed = is_file($file);
+ if (!$profileIndexed) {
+ // Create directory
+ $dir = \dirname($file);
+ if (!is_dir($dir) && false === @mkdir($dir, 0777, true) && !is_dir($dir)) {
+ throw new \RuntimeException(sprintf('Unable to create the storage directory (%s).', $dir));
+ }
+ }
+
+ $profileToken = $profile->getToken();
+ // when there are errors in sub-requests, the parent and/or children tokens
+ // may equal the profile token, resulting in infinite loops
+ $parentToken = $profile->getParentToken() !== $profileToken ? $profile->getParentToken() : null;
+ $childrenToken = array_filter(array_map(function (IProfile $p) use ($profileToken) {
+ return $profileToken !== $p->getToken() ? $p->getToken() : null;
+ }, $profile->getChildren()));
+
+ // Store profile
+ $data = [
+ 'token' => $profileToken,
+ 'parent' => $parentToken,
+ 'children' => $childrenToken,
+ 'data' => $profile->getCollectors(),
+ 'method' => $profile->getMethod(),
+ 'url' => $profile->getUrl(),
+ 'time' => $profile->getTime(),
+ 'status_code' => $profile->getStatusCode(),
+ ];
+
+ $context = stream_context_create();
+
+ if (\function_exists('gzcompress')) {
+ $file = 'compress.zlib://'.$file;
+ stream_context_set_option($context, 'zlib', 'level', 3);
+ }
+
+ if (false === file_put_contents($file, serialize($data), 0, $context)) {
+ return false;
+ }
+
+ if (!$profileIndexed) {
+ // Add to index
+ if (false === $file = fopen($this->getIndexFilename(), 'a')) {
+ return false;
+ }
+
+ fputcsv($file, [
+ $profile->getToken(),
+ $profile->getMethod(),
+ $profile->getUrl(),
+ $profile->getTime(),
+ $profile->getParentToken(),
+ $profile->getStatusCode(),
+ ]);
+ fclose($file);
+ }
+
+ return true;
+ }
+
+ /**
+ * Gets filename to store data, associated to the token.
+ *
+ * @return string The profile filename
+ */
+ protected function getFilename(string $token): string {
+ // Uses 4 last characters, because first are mostly the same.
+ $folderA = substr($token, -2, 2);
+ $folderB = substr($token, -4, 2);
+
+ return $this->folder.'/'.$folderA.'/'.$folderB.'/'.$token;
+ }
+
+ /**
+ * Gets the index filename.
+ *
+ * @return string The index filename
+ */
+ protected function getIndexFilename(): string {
+ return $this->folder.'/index.csv';
+ }
+
+ /**
+ * Reads a line in the file, backward.
+ *
+ * This function automatically skips the empty lines and do not include the line return in result value.
+ *
+ * @param resource $file The file resource, with the pointer placed at the end of the line to read
+ *
+ * @return ?string A string representing the line or null if beginning of file is reached
+ */
+ protected function readLineFromFile($file): ?string {
+ $line = '';
+ $position = ftell($file);
+
+ if (0 === $position) {
+ return null;
+ }
+
+ while (true) {
+ $chunkSize = min($position, 1024);
+ $position -= $chunkSize;
+ fseek($file, $position);
+
+ if (0 === $chunkSize) {
+ // bof reached
+ break;
+ }
+
+ $buffer = fread($file, $chunkSize);
+
+ if (false === ($upTo = strrpos($buffer, "\n"))) {
+ $line = $buffer.$line;
+ continue;
+ }
+
+ $position += $upTo;
+ $line = substr($buffer, $upTo + 1).$line;
+ fseek($file, max(0, $position), \SEEK_SET);
+
+ if ('' !== $line) {
+ break;
+ }
+ }
+
+ return '' === $line ? null : $line;
+ }
+
+ protected function createProfileFromData(string $token, array $data, IProfile $parent = null): IProfile {
+ $profile = new Profile($token);
+ $profile->setMethod($data['method']);
+ $profile->setUrl($data['url']);
+ $profile->setTime($data['time']);
+ $profile->setStatusCode($data['status_code']);
+ $profile->setCollectors($data['data']);
+
+ if (!$parent && $data['parent']) {
+ $parent = $this->read($data['parent']);
+ }
+
+ if ($parent) {
+ $profile->setParent($parent);
+ }
+
+ foreach ($data['children'] as $token) {
+ if (!$token || !file_exists($file = $this->getFilename($token))) {
+ continue;
+ }
+
+ if (\function_exists('gzcompress')) {
+ $file = 'compress.zlib://'.$file;
+ }
+
+ $profile->addChild($this->createProfileFromData($token, unserialize(file_get_contents($file)), $profile));
+ }
+
+ return $profile;
+ }
+}
diff --git a/lib/private/Profiler/Profile.php b/lib/private/Profiler/Profile.php
new file mode 100644
index 00000000000..4408ae9ed24
--- /dev/null
+++ b/lib/private/Profiler/Profile.php
@@ -0,0 +1,168 @@
+<?php
+
+declare(strict_types = 1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OC\Profiler;
+
+use OCP\DataCollector\IDataCollector;
+use OCP\Profiler\IProfile;
+
+class Profile implements \JsonSerializable, IProfile {
+ private $token;
+
+ private $time = null;
+
+ private $url = null;
+
+ private $method = null;
+
+ private $statusCode = null;
+
+ /** @var array<string, IDataCollector> */
+ private $collectors = [];
+
+ private $parent = null;
+
+ /** @var IProfile[] */
+ private $children = [];
+
+ public function __construct(string $token) {
+ $this->token = $token;
+ }
+
+ public function getToken(): string {
+ return $this->token;
+ }
+
+ public function setToken(string $token): void {
+ $this->token = $token;
+ }
+
+ public function getTime(): ?int {
+ return $this->time;
+ }
+
+ public function setTime(int $time): void {
+ $this->time = $time;
+ }
+
+ public function getUrl(): ?string {
+ return $this->url;
+ }
+
+ public function setUrl(string $url): void {
+ $this->url = $url;
+ }
+
+ public function getMethod(): ?string {
+ return $this->method;
+ }
+
+ public function setMethod(string $method): void {
+ $this->method = $method;
+ }
+
+ public function getStatusCode(): ?int {
+ return $this->statusCode;
+ }
+
+ public function setStatusCode(int $statusCode): void {
+ $this->statusCode = $statusCode;
+ }
+
+ public function addCollector(IDataCollector $collector) {
+ $this->collectors[$collector->getName()] = $collector;
+ }
+
+ public function getParent(): ?IProfile {
+ return $this->parent;
+ }
+
+ public function setParent(?IProfile $parent): void {
+ $this->parent = $parent;
+ }
+
+ public function getParentToken(): ?string {
+ return $this->parent ? $this->parent->getToken() : null;
+ }
+
+ /** @return IProfile[] */
+ public function getChildren(): array {
+ return $this->children;
+ }
+
+ /**
+ * @param IProfile[] $children
+ */
+ public function setChildren(array $children): void {
+ $this->children = [];
+ foreach ($children as $child) {
+ $this->addChild($child);
+ }
+ }
+
+ public function addChild(IProfile $profile): void {
+ $this->children[] = $profile;
+ $profile->setParent($this);
+ }
+
+ /**
+ * @return IDataCollector[]
+ */
+ public function getCollectors(): array {
+ return $this->collectors;
+ }
+
+ /**
+ * @param IDataCollector[] $collectors
+ */
+ public function setCollectors(array $collectors): void {
+ $this->collectors = $collectors;
+ }
+
+ public function __sleep(): array {
+ return ['token', 'parent', 'children', 'collectors', 'method', 'url', 'time', 'statusCode'];
+ }
+
+ #[\ReturnTypeWillChange]
+ public function jsonSerialize() {
+ // Everything but parent
+ return [
+ 'token' => $this->token,
+ 'method' => $this->method,
+ 'children' => $this->children,
+ 'url' => $this->url,
+ 'statusCode' => $this->statusCode,
+ 'time' => $this->time,
+ 'collectors' => $this->collectors,
+ ];
+ }
+
+ public function getCollector(string $collectorName): ?IDataCollector {
+ if (!array_key_exists($collectorName, $this->collectors)) {
+ return null;
+ }
+ return $this->collectors[$collectorName];
+ }
+}
diff --git a/lib/private/Profiler/Profiler.php b/lib/private/Profiler/Profiler.php
new file mode 100644
index 00000000000..a01438940ce
--- /dev/null
+++ b/lib/private/Profiler/Profiler.php
@@ -0,0 +1,105 @@
+<?php
+
+declare(strict_types = 1);
+
+/**
+ * @copyright 2021 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OC\Profiler;
+
+use OC\AppFramework\Http\Request;
+use OCP\AppFramework\Http\Response;
+use OCP\DataCollector\IDataCollector;
+use OCP\Profiler\IProfiler;
+use OCP\Profiler\IProfile;
+use OC\SystemConfig;
+
+class Profiler implements IProfiler {
+ /** @var array<string, IDataCollector> */
+ private $dataCollectors = [];
+
+ private $storage = null;
+
+ private $enabled = false;
+
+ public function __construct() {
+ $this->enabled = true;
+ if ($this->enabled) {
+ $this->storage = new FileProfilerStorage(\OC::$SERVERROOT . '/data' . '/profiler');
+ }
+ }
+
+ public function add(IDataCollector $dataCollector): void {
+ $this->dataCollectors[$dataCollector->getName()] = $dataCollector;
+ }
+
+ public function loadProfileFromResponse(Response $response): ?IProfile {
+ if (!$token = $response->getHeaders()['X-Debug-Token']) {
+ return null;
+ }
+
+ return $this->loadProfile($token);
+ }
+
+ public function loadProfile(string $token): ?IProfile {
+ return $this->storage->read($token);
+ }
+
+ public function saveProfile(IProfile $profile): bool {
+ return $this->storage->write($profile);
+ }
+
+ public function collect(Request $request, Response $response): IProfile {
+ $profile = new Profile($request->getId());
+ $profile->setTime(time());
+ $profile->setUrl($request->getRequestUri());
+ $profile->setMethod($request->getMethod());
+ $profile->setStatusCode($response->getStatus());
+ foreach ($this->dataCollectors as $dataCollector) {
+ $dataCollector->collect($request, $response, null);
+
+ // We clone for subrequests
+ $profile->addCollector(clone $dataCollector);
+ }
+ return $profile;
+ }
+
+ /**
+ * @return array[]
+ */
+ public function find(?string $url, ?int $limit, ?string $method, ?int $start, ?int $end,
+ string $statusCode = null): array {
+ return $this->storage->find($url, $limit, $method, $start, $end, $statusCode);
+ }
+
+ public function dataProviders(): array {
+ return array_keys($this->dataCollectors);
+ }
+
+ public function isEnabled(): bool {
+ return $this->enabled;
+ }
+
+ public function setEnabled(bool $enabled): void {
+ $this->enabled = $enabled;
+ }
+}
diff --git a/lib/private/Profiler/RoutingDataCollector.php b/lib/private/Profiler/RoutingDataCollector.php
new file mode 100644
index 00000000000..e7d33f515c9
--- /dev/null
+++ b/lib/private/Profiler/RoutingDataCollector.php
@@ -0,0 +1,55 @@
+<?php
+
+declare(strict_types=1);
+
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OC\Profiler;
+
+use OC\AppFramework\Http\Request;
+use OCP\AppFramework\Http\Response;
+use OCP\DataCollector\AbstractDataCollector;
+
+class RoutingDataCollector extends AbstractDataCollector {
+ private $appName;
+ private $controllerName;
+ private $actionName;
+
+ public function __construct(string $appName, string $controllerName, string $actionName) {
+ $this->appName = $appName;
+ $this->controllerName = $controllerName;
+ $this->actionName = $actionName;
+ }
+
+ public function collect(Request $request, Response $response, \Throwable $exception = null): void {
+ $this->data = [
+ 'appName' => $this->appName,
+ 'controllerName' => $this->controllerName,
+ 'actionName' => $this->actionName,
+ ];
+ }
+
+ public function getName(): string {
+ return 'router';
+ }
+}
diff --git a/lib/private/Server.php b/lib/private/Server.php
index d191ffd39b2..73b0186c888 100644
--- a/lib/private/Server.php
+++ b/lib/private/Server.php
@@ -158,6 +158,12 @@ use OCP\Share\IShareHelper;
use Symfony\Component\EventDispatcher\EventDispatcher;
use Symfony\Component\EventDispatcher\EventDispatcherInterface;
use Symfony\Component\EventDispatcher\GenericEvent;
+use OCA\Files_External\Service\UserStoragesService;
+use OCA\Files_External\Service\UserGlobalStoragesService;
+use OCA\Files_External\Service\GlobalStoragesService;
+use OCA\Files_External\Service\BackendService;
+use OCP\Profiler\IProfiler;
+use OC\Profiler\Profiler;
/**
* Class Server
@@ -217,6 +223,10 @@ class Server extends ServerContainer implements IServerContainer {
);
});
+ $this->registerService(IProfiler::class, function (Server $c) {
+ return new Profiler();
+ });
+
$this->registerService(\OCP\Encryption\IManager::class, function (Server $c) {
$view = new View();
$util = new Encryption\Util(
@@ -550,7 +560,6 @@ class Server extends ServerContainer implements IServerContainer {
});
$this->registerAlias(\OCP\IAvatarManager::class, AvatarManager::class);
$this->registerAlias('AvatarManager', AvatarManager::class);
-
$this->registerAlias(\OCP\Support\CrashReport\IRegistry::class, \OC\Support\CrashReport\Registry::class);
$this->registerService(\OC\Log::class, function (Server $c) {
@@ -639,7 +648,6 @@ class Server extends ServerContainer implements IServerContainer {
}
$connectionParams = $factory->createConnectionParams();
$connection = $factory->getConnection($type, $connectionParams);
- $connection->getConfiguration()->setSQLLogger($c->getQueryLogger());
return $connection;
});
$this->registerAlias('DatabaseConnection', IDBConnection::class);
diff --git a/lib/public/DataCollector/AbstractDataCollector.php b/lib/public/DataCollector/AbstractDataCollector.php
new file mode 100644
index 00000000000..68298671b7b
--- /dev/null
+++ b/lib/public/DataCollector/AbstractDataCollector.php
@@ -0,0 +1,87 @@
+<?php
+
+declare(strict_types=1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ * @author Fabien Potencier <fabien@symfony.com>
+ *
+ * @license AGPL-3.0-or-later AND MIT
+ *
+ * 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 OCP\DataCollector;
+
+/**
+ * Children of this class must store the collected data in
+ * the data property.
+ *
+ * @author Fabien Potencier <fabien@symfony.com>
+ * @author Bernhard Schussek <bschussek@symfony.com>
+ * @author Carl Schwan <carl@carlschwan.eu>
+ * @since 24.0.0
+ */
+abstract class AbstractDataCollector implements IDataCollector, \JsonSerializable {
+ /** @var array */
+ protected $data = [];
+
+ /**
+ * @since 24.0.0
+ */
+ public function getName(): string {
+ return static::class;
+ }
+
+ /**
+ * Reset the state of the profiler. By default it only empties the
+ * $this->data contents, but you can override this method to do
+ * additional cleaning.
+ * @since 24.0.0
+ */
+ public function reset(): void {
+ $this->data = [];
+ }
+
+ /**
+ * @since 24.0.0
+ */
+ public function __sleep(): array {
+ return ['data'];
+ }
+
+ /**
+ * @internal to prevent implementing \Serializable
+ * @since 24.0.0
+ */
+ final protected function serialize() {
+ }
+
+ /**
+ * @internal to prevent implementing \Serializable
+ * @since 24.0.0
+ */
+ final protected function unserialize(string $data) {
+ }
+
+ /**
+ * @since 24.0.0
+ */
+ #[\ReturnTypeWillChange]
+ public function jsonSerialize() {
+ return $this->data;
+ }
+}
diff --git a/lib/public/DataCollector/IDataCollector.php b/lib/public/DataCollector/IDataCollector.php
new file mode 100644
index 00000000000..0fb914727df
--- /dev/null
+++ b/lib/public/DataCollector/IDataCollector.php
@@ -0,0 +1,55 @@
+<?php
+
+declare(strict_types=1);
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ * @author Fabien Potencier <fabien@symfony.com>
+ *
+ * @license AGPL-3.0-or-later AND MIT
+ *
+ * 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 OCP\DataCollector;
+
+use OC\AppFramework\Http\Request;
+use OCP\AppFramework\Http\Response;
+
+/**
+ * DataCollectorInterface.
+ *
+ * @since 24.0.0
+ */
+interface IDataCollector {
+ /**
+ * Collects data for the given Request and Response.
+ * @since 24.0.0
+ */
+ public function collect(Request $request, Response $response, \Throwable $exception = null): void;
+
+ /**
+ * Reset the state of the profiler.
+ * @since 24.0.0
+ */
+ public function reset(): void;
+
+ /**
+ * Returns the name of the collector.
+ * @since 24.0.0
+ */
+ public function getName(): string;
+}
diff --git a/lib/public/Profiler/IProfile.php b/lib/public/Profiler/IProfile.php
new file mode 100644
index 00000000000..1831496a5a7
--- /dev/null
+++ b/lib/public/Profiler/IProfile.php
@@ -0,0 +1,168 @@
+<?php
+
+declare(strict_types=1);
+
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OCP\Profiler;
+
+use OCP\DataCollector\IDataCollector;
+
+/**
+ * This interface store the results of the profiling of one
+ * request. You can get the saved profiles from the @see IProfiler.
+ *
+ * ```php
+ * <?php
+ * $profiler = \OC::$server->get(IProfiler::class);
+ * $profiles = $profiler->find('/settings/users', 10);
+ * ```
+ *
+ * This interface is meant to be used directly and not extended.
+ * @since 24.0.0
+ */
+interface IProfile {
+ /**
+ * Get the token of the profile
+ * @since 24.0.0
+ */
+ public function getToken(): string;
+
+ /**
+ * Set the token of the profile
+ * @since 24.0.0
+ */
+ public function setToken(string $token): void;
+
+ /**
+ * Get the time of the profile
+ * @since 24.0.0
+ */
+ public function getTime(): ?int;
+
+ /**
+ * Set the time of the profile
+ * @since 24.0.0
+ */
+ public function setTime(int $time): void;
+
+ /**
+ * Get the url of the profile
+ * @since 24.0.0
+ */
+ public function getUrl(): ?string;
+
+ /**
+ * Set the url of the profile
+ * @since 24.0.0
+ */
+ public function setUrl(string $url): void;
+
+ /**
+ * Get the method of the profile
+ * @since 24.0.0
+ */
+ public function getMethod(): ?string;
+
+ /**
+ * Set the method of the profile
+ * @since 24.0.0
+ */
+ public function setMethod(string $method): void;
+
+ /**
+ * Get the status code of the profile
+ * @since 24.0.0
+ */
+ public function getStatusCode(): ?int;
+
+ /**
+ * Set the status code of the profile
+ * @since 24.0.0
+ */
+ public function setStatusCode(int $statusCode): void;
+
+ /**
+ * Add a data collector to the profile
+ * @since 24.0.0
+ */
+ public function addCollector(IDataCollector $collector);
+
+ /**
+ * Get the parent profile to this profile
+ * @since 24.0.0
+ */
+ public function getParent(): ?IProfile;
+
+ /**
+ * Set the parent profile to this profile
+ * @since 24.0.0
+ */
+ public function setParent(?IProfile $parent): void;
+
+ /**
+ * Get the parent token to this profile
+ * @since 24.0.0
+ */
+ public function getParentToken(): ?string;
+
+ /**
+ * Get the profile's children
+ * @return IProfile[]
+ * @since 24.0.0
+ **/
+ public function getChildren(): array;
+
+ /**
+ * Set the profile's children
+ * @param IProfile[] $children
+ * @since 24.0.0
+ */
+ public function setChildren(array $children): void;
+
+ /**
+ * Add the child profile
+ * @since 24.0.0
+ */
+ public function addChild(IProfile $profile): void;
+
+ /**
+ * Get all the data collectors
+ * @return IDataCollector[]
+ * @since 24.0.0
+ */
+ public function getCollectors(): array;
+
+ /**
+ * Set all the data collectors
+ * @param IDataCollector[] $collectors
+ * @since 24.0.0
+ */
+ public function setCollectors(array $collectors): void;
+
+ /**
+ * Get a data collector by name
+ * @since 24.0.0
+ */
+ public function getCollector(string $collectorName): ?IDataCollector;
+}
diff --git a/lib/public/Profiler/IProfiler.php b/lib/public/Profiler/IProfiler.php
new file mode 100644
index 00000000000..78325089523
--- /dev/null
+++ b/lib/public/Profiler/IProfiler.php
@@ -0,0 +1,101 @@
+<?php
+
+declare(strict_types=1);
+
+/**
+ * @copyright 2022 Carl Schwan <carl@carlschwan.eu>
+ *
+ * @author Carl Schwan <carl@carlschwan.eu>
+ *
+ * @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 OCP\Profiler;
+
+use OC\AppFramework\Http\Request;
+use OCP\AppFramework\Http\Response;
+use OCP\DataCollector\IDataCollector;
+
+/**
+ * This interface allows to interact with the built-in Nextcloud profiler.
+ * @since 24.0.0
+ */
+interface IProfiler {
+ /**
+ * Add a new data collector to the profiler. This allows to later on
+ * collect all the data from every registered collector.
+ *
+ * @see IDataCollector
+ * @since 24.0.0
+ */
+ public function add(IDataCollector $dataCollector): void;
+
+ /**
+ * Load a profile from a response object
+ * @since 24.0.0
+ */
+ public function loadProfileFromResponse(Response $response): ?IProfile;
+
+ /**
+ * Load a profile from the response token
+ * @since 24.0.0
+ */
+ public function loadProfile(string $token): ?IProfile;
+
+ /**
+ * Save a profile on the disk. This allows to later load it again in the
+ * profiler user interface.
+ * @since 24.0.0
+ */
+ public function saveProfile(IProfile $profile): bool;
+
+ /**
+ * Find a profile from various search parameters
+ * @since 24.0.0
+ */
+ public function find(?string $url, ?int $limit, ?string $method, ?int $start, ?int $end, string $statusCode = null): array;
+
+ /**
+ * Get the list of data providers by identifier
+ * @return string[]
+ * @since 24.0.0
+ */
+ public function dataProviders(): array;
+
+ /**
+ * Check if the profiler is enabled.
+ *
+ * If it is not enabled, data provider shouldn't be created and
+ * shouldn't collect any data.
+ * @since 24.0.0
+ */
+ public function isEnabled(): bool;
+
+ /**
+ * Set if the profiler is enabled.
+ * @see isEnabled
+ * @since 24.0.0
+ */
+ public function setEnabled(bool $enabled): void;
+
+ /**
+ * Collect all the information from the current request and construct
+ * a IProfile from it.
+ * @since 24.0.0
+ */
+ public function collect(Request $request, Response $response): IProfile;
+}
diff --git a/tests/.phpunit.result.cache b/tests/.phpunit.result.cache
new file mode 100644
index 00000000000..cd0442343b6
--- /dev/null
+++ b/tests/.phpunit.result.cache
@@ -0,0 +1 @@
+{"version":1,"defects":{"Test\\Validator\\ValidatorTest::testEmailConstraint":4,"OCA\\Comments\\Tests\\Unit\\AppInfo\\ApplicationTest::test":4,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewGuestRedirect":4,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewSuccess":4,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewInvalidComment":4,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewNoFile":4,"Test\\AllConfigTest::testSetUserValueUnchanged":1,"Test\\Avatar\\GuestAvatarTest::testGet":3,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsNoPrimaryKey":1,"Test\\Files\\Cache\\CacheTest::testWithNormalizer":1,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testWithNormalizer":1,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testWithNormalizer":1,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testWithNormalizer":1,"Test\\Files\\FilesystemTest::testNormalizePathUTF8":1,"Test\\Files\\Node\\FolderTest::testGet":5,"Test\\Files\\ObjectStore\\AzureTest::testWriteRead":1,"Test\\Files\\ObjectStore\\AzureTest::testDelete":1,"Test\\Files\\ObjectStore\\AzureTest::testReadNonExisting":1,"Test\\Files\\ObjectStore\\AzureTest::testDeleteNonExisting":1,"Test\\Files\\ObjectStore\\AzureTest::testExists":1,"Test\\Files\\ObjectStore\\AzureTest::testCopy":1,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCheckUpdate":1,"Test\\Files\\ObjectStore\\S3Test::testUploadNonSeekable":1,"Test\\Files\\ObjectStore\\S3Test::testSeek":1,"Test\\Files\\ObjectStore\\S3Test::testEmptyUpload":1,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #0":1,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #1":1,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #2":1,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #3":1,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #4":1,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #5":1,"Test\\Files\\ObjectStore\\S3Test::testWriteRead":1,"Test\\Files\\ObjectStore\\S3Test::testDelete":1,"Test\\Files\\ObjectStore\\S3Test::testReadNonExisting":1,"Test\\Files\\ObjectStore\\S3Test::testDeleteNonExisting":1,"Test\\Files\\ObjectStore\\S3Test::testExists":1,"Test\\Files\\ObjectStore\\S3Test::testCopy":1,"Test\\Files\\ObjectStore\\SwiftTest::testWriteRead":1,"Test\\Files\\ObjectStore\\SwiftTest::testDelete":1,"Test\\Files\\ObjectStore\\SwiftTest::testReadNonExisting":1,"Test\\Files\\ObjectStore\\SwiftTest::testDeleteNonExisting":1,"Test\\Files\\ObjectStore\\SwiftTest::testExists":1,"Test\\Files\\ObjectStore\\SwiftTest::testCopy":1,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCheckUpdate":1,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCheckUpdate":1,"Test\\Files\\Storage\\Wrapper\\JailTest::testCheckUpdate":1,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCheckUpdate":1,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCheckUpdate":1,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCheckUpdate":1,"Test\\Files\\Type\\DetectionTest::testMimeTypeIcon":1,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #0":1,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #9":1,"Test\\Memcache\\APCuTest::testCasIntChanged":1,"Test\\Memcache\\APCuTest::testCasIntNotChanged":1,"Test\\Memcache\\APCuTest::testExistsAfterSet":1,"Test\\Memcache\\APCuTest::testGetAfterSet":1,"Test\\Memcache\\APCuTest::testGetArrayAfterSet":1,"Test\\Memcache\\APCuTest::testDoesNotExistAfterRemove":1,"Test\\Memcache\\APCuTest::testRemoveNonExisting":1,"Test\\Memcache\\APCuTest::testArrayAccessSet":1,"Test\\Memcache\\APCuTest::testArrayAccessGet":1,"Test\\Memcache\\APCuTest::testArrayAccessExists":1,"Test\\Memcache\\APCuTest::testArrayAccessUnset":1,"Test\\Memcache\\APCuTest::testAdd":1,"Test\\Memcache\\APCuTest::testInc":1,"Test\\Memcache\\APCuTest::testDec":1,"Test\\Memcache\\APCuTest::testCasNotChanged":1,"Test\\Memcache\\APCuTest::testCasChanged":1,"Test\\Memcache\\APCuTest::testCadNotChanged":1,"Test\\Memcache\\APCuTest::testCadChanged":1,"Test\\Memcache\\APCuTest::testSimple":1,"Test\\Memcache\\APCuTest::testClear":1,"Test\\Memcache\\MemcachedTest::testClear":1,"Test\\Memcache\\MemcachedTest::testExistsAfterSet":1,"Test\\Memcache\\MemcachedTest::testGetAfterSet":1,"Test\\Memcache\\MemcachedTest::testGetArrayAfterSet":1,"Test\\Memcache\\MemcachedTest::testDoesNotExistAfterRemove":1,"Test\\Memcache\\MemcachedTest::testRemoveNonExisting":1,"Test\\Memcache\\MemcachedTest::testArrayAccessSet":1,"Test\\Memcache\\MemcachedTest::testArrayAccessGet":1,"Test\\Memcache\\MemcachedTest::testArrayAccessExists":1,"Test\\Memcache\\MemcachedTest::testArrayAccessUnset":1,"Test\\Memcache\\MemcachedTest::testAdd":1,"Test\\Memcache\\MemcachedTest::testInc":1,"Test\\Memcache\\MemcachedTest::testDec":1,"Test\\Memcache\\MemcachedTest::testCasNotChanged":1,"Test\\Memcache\\MemcachedTest::testCasChanged":1,"Test\\Memcache\\MemcachedTest::testCadNotChanged":1,"Test\\Memcache\\MemcachedTest::testCadChanged":1,"Test\\Memcache\\MemcachedTest::testSimple":1,"Test\\Memcache\\RedisTest::testExistsAfterSet":1,"Test\\Memcache\\RedisTest::testGetAfterSet":1,"Test\\Memcache\\RedisTest::testGetArrayAfterSet":1,"Test\\Memcache\\RedisTest::testDoesNotExistAfterRemove":1,"Test\\Memcache\\RedisTest::testRemoveNonExisting":1,"Test\\Memcache\\RedisTest::testArrayAccessSet":1,"Test\\Memcache\\RedisTest::testArrayAccessGet":1,"Test\\Memcache\\RedisTest::testArrayAccessExists":1,"Test\\Memcache\\RedisTest::testArrayAccessUnset":1,"Test\\Memcache\\RedisTest::testAdd":1,"Test\\Memcache\\RedisTest::testInc":1,"Test\\Memcache\\RedisTest::testDec":1,"Test\\Memcache\\RedisTest::testCasNotChanged":1,"Test\\Memcache\\RedisTest::testCasChanged":1,"Test\\Memcache\\RedisTest::testCadNotChanged":1,"Test\\Memcache\\RedisTest::testCadChanged":1,"Test\\Memcache\\RedisTest::testSimple":1,"Test\\Memcache\\RedisTest::testClear":1,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #0":1,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #1":1,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #2":1,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #3":1,"Test\\Preview\\HEICTest::testGetThumbnail with data set #0":1,"Test\\Preview\\HEICTest::testGetThumbnail with data set #1":1,"Test\\Preview\\HEICTest::testGetThumbnail with data set #2":1,"Test\\Preview\\HEICTest::testGetThumbnail with data set #3":1,"Test\\Preview\\ImageTest::testGetThumbnail with data set #0":1,"Test\\Preview\\ImageTest::testGetThumbnail with data set #1":1,"Test\\Preview\\ImageTest::testGetThumbnail with data set #2":1,"Test\\Preview\\ImageTest::testGetThumbnail with data set #3":1,"Test\\Preview\\MP3Test::testGetThumbnail with data set #0":1,"Test\\Preview\\MP3Test::testGetThumbnail with data set #1":1,"Test\\Preview\\MP3Test::testGetThumbnail with data set #2":1,"Test\\Preview\\MP3Test::testGetThumbnail with data set #3":1,"Test\\Preview\\MovieTest::testGetThumbnail with data set #0":1,"Test\\Preview\\MovieTest::testGetThumbnail with data set #1":1,"Test\\Preview\\MovieTest::testGetThumbnail with data set #2":1,"Test\\Preview\\MovieTest::testGetThumbnail with data set #3":1,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #0":1,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #1":1,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #2":1,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #3":1,"Test\\Preview\\SVGTest::testGetThumbnail with data set #0":1,"Test\\Preview\\SVGTest::testGetThumbnail with data set #1":1,"Test\\Preview\\SVGTest::testGetThumbnail with data set #2":1,"Test\\Preview\\SVGTest::testGetThumbnail with data set #3":1,"Test\\Preview\\TXTTest::testGetThumbnail with data set #0":1,"Test\\Preview\\TXTTest::testGetThumbnail with data set #1":1,"Test\\Preview\\TXTTest::testGetThumbnail with data set #2":1,"Test\\Preview\\TXTTest::testGetThumbnail with data set #3":1,"Test\\Repair\\RepairCollationTest::testCollationConvert":1,"Test\\Route\\RouterTest::testGenerateConsecutively":3,"Test\\TempManagerTest::testLogCantCreateFile":1,"Test\\TempManagerTest::testLogCantCreateFolder":1,"Test\\UtilCheckServerTest::testDataDirNotWritable":1,"Test\\Archive\\ZIPTest::testWrite":3,"Test\\Files\\Cache\\CacheTest::testSimple":4,"Test\\Files\\Cache\\CacheTest::testFolder with data set #0":3,"Test\\Files\\Cache\\CacheTest::testFolder with data set #1":3,"Test\\Files\\Cache\\CacheTest::testFolder with data set #2":3,"Test\\Files\\Cache\\CacheTest::testFolder with data set #3":3,"Test\\Files\\Cache\\CacheTest::testFolder with data set #4":3,"Test\\Files\\Cache\\CacheTest::testRemoveRecursive":3,"Test\\Files\\Cache\\CacheTest::testEncryptedFolder":3,"Test\\Files\\Cache\\CacheTest::testRootFolderSizeForNonHomeStorage":3,"Test\\Files\\Cache\\CacheTest::testStatus":4,"Test\\Files\\Cache\\CacheTest::testPutWithAllKindOfQuotes with data set #0":4,"Test\\Files\\Cache\\CacheTest::testPutWithAllKindOfQuotes with data set #1":4,"Test\\Files\\Cache\\CacheTest::testPutWithAllKindOfQuotes with data set #2":4,"Test\\Files\\Cache\\CacheTest::testSearch":4,"Test\\Files\\Cache\\CacheTest::testSearchQueryByTag":4,"Test\\Files\\Cache\\CacheTest::testSearchByQuery":4,"Test\\Files\\Cache\\CacheTest::testMove with data set #0":4,"Test\\Files\\Cache\\CacheTest::testMove with data set #1":4,"Test\\Files\\Cache\\CacheTest::testMove with data set #2":4,"Test\\Files\\Cache\\CacheTest::testGetIncomplete":4,"Test\\Files\\Cache\\CacheTest::testGetById":4,"Test\\Files\\Cache\\CacheTest::testStorageMTime":4,"Test\\Files\\Cache\\CacheTest::testLongId":4,"Test\\Files\\Cache\\CacheTest::testWithoutNormalizer":4,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #0":4,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #1":4,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #2":4,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #3":4,"Test\\Files\\Cache\\CacheTest::testNoReuseOfFileId":4,"Test\\Files\\Cache\\CacheTest::testEscaping with data set #0":4,"Test\\Files\\Cache\\CacheTest::testEscaping with data set #1":4,"Test\\Files\\Cache\\CacheTest::testEscaping with data set #2":4,"Test\\Files\\Cache\\CacheTest::testExtended":4,"Test\\Files\\Cache\\HomeCacheTest::testRootFolderSizeIgnoresUnknownUpdate":3,"Test\\Files\\Cache\\HomeCacheTest::testRootFolderSizeIsFilesSize":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSimple":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #0":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #1":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #2":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #3":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #4":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testRemoveRecursive":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEncryptedFolder":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testRootFolderSizeForNonHomeStorage":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testStatus":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testPutWithAllKindOfQuotes with data set #0":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testPutWithAllKindOfQuotes with data set #1":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testPutWithAllKindOfQuotes with data set #2":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSearch":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSearchQueryByTag":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSearchByQuery":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testMove with data set #0":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testMove with data set #1":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testMove with data set #2":3,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testGetIncomplete":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testGetById":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testStorageMTime":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testLongId":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testWithoutNormalizer":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #0":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #1":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #2":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #3":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testNoReuseOfFileId":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEscaping with data set #0":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEscaping with data set #1":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEscaping with data set #2":4,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testExtended":4,"Test\\Files\\Cache\\PropagatorTest::testBatchedPropagation":3,"Test\\Files\\Cache\\WatcherTest::testWatcher":3,"Test\\Files\\Cache\\WatcherTest::testFileToFolder":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchOutsideJail":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchMimeOutsideJail":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchQueryOutsideJail":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testClearKeepEntriesOutsideJail":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testGetById":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMoveFromJail":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMoveToJail":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMoveBetweenJail":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchNested":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testRootJail":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSimple":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #0":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #1":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #2":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #3":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #4":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testRemoveRecursive":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEncryptedFolder":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testRootFolderSizeForNonHomeStorage":3,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testStatus":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testPutWithAllKindOfQuotes with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testPutWithAllKindOfQuotes with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testPutWithAllKindOfQuotes with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearch":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchQueryByTag":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchByQuery":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMove with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMove with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMove with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testStorageMTime":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testLongId":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testWithoutNormalizer":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #3":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testNoReuseOfFileId":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEscaping with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEscaping with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEscaping with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testExtended":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #3":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSimple":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #0":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #1":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #2":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #3":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #4":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testRemoveRecursive":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEncryptedFolder":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testRootFolderSizeForNonHomeStorage":3,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testStatus":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testPutWithAllKindOfQuotes with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testPutWithAllKindOfQuotes with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testPutWithAllKindOfQuotes with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearch":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchQueryByTag":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchByQuery":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testMove with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testMove with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testMove with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetIncomplete":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetById":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testStorageMTime":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testLongId":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testWithoutNormalizer":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #3":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testNoReuseOfFileId":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEscaping with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEscaping with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEscaping with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testExtended":4,"Test\\Files\\Node\\FolderTest::testSearch":4,"Test\\Files\\Node\\FolderTest::testSearchInRoot":4,"Test\\Files\\Node\\FolderTest::testSearchInStorageRoot":4,"Test\\Files\\Node\\FolderTest::testSearchSubStorages":4,"Test\\Files\\Node\\FolderTest::testRecent":4,"Test\\Files\\Node\\FolderTest::testRecentJail":3,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #0":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #1":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #2":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #3":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #4":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #5":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #6":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #7":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #9":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #10":4,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #11":4,"Test\\Files\\Node\\IntegrationTest::testBasicFile":3,"Test\\Files\\Node\\IntegrationTest::testBasicFolder":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameOverWriteDirectory":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #0":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #1":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #2":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #3":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #4":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #5":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRecursiveRmdir":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRecursiveUnlink":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverWriteDirectory":3,"Test\\Files\\ViewTest::testCacheAPI":3,"Test\\Files\\ViewTest::testLockFileRename with data set #0":4,"Test\\Files\\ViewTest::testLockFileRename with data set #1":4,"Test\\Files\\ViewTest::testLockFileRenameCrossStorage with data set #1":4,"Test\\Files\\ViewTest::testDeleteGhostFolder":3,"Test\\Repair\\RepairMimeTypesTest::testRenameImageTypes":4,"Test\\Repair\\RepairMimeTypesTest::testRenameWindowsProgramTypes":4,"Test\\Repair\\RepairMimeTypesTest::testDoNothingWhenOnlyNewFiles":4,"Test\\Repair\\RepairMimeTypesTest::testDoNotChangeFolderMimeType":4,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testAfterExceptionWithHtmlBody":4,"Test\\Cache\\FileCacheTest::testGarbageCollectOldKeys":4,"Test\\Cache\\FileCacheTest::testGarbageCollectLeaveRecentKeys":4,"Test\\Cache\\FileCacheTest::testGarbageCollectIgnoreLockedKeys with data set #0":4,"Test\\Cache\\FileCacheTest::testGarbageCollectIgnoreLockedKeys with data set #1":4,"Test\\Cache\\FileCacheTest::testSimple":4,"Test\\Cache\\FileCacheTest::testClear":4,"Test\\Files\\Cache\\LocalRootScannerTest::testDontScanUsers":4,"Test\\Files\\Cache\\LocalRootScannerTest::testDoScanAppData":4,"Test\\Files\\Cache\\PropagatorTest::testEtagPropagation":4,"Test\\Files\\Cache\\PropagatorTest::testTimePropagation":4,"Test\\Files\\Cache\\PropagatorTest::testSizePropagation":4,"Test\\Files\\Cache\\PropagatorTest::testSizePropagationNoNegative":4,"Test\\Files\\Cache\\ScannerTest::testFile":4,"Test\\Files\\Cache\\ScannerTest::testFile4Byte":4,"Test\\Files\\Cache\\ScannerTest::testFolder":4,"Test\\Files\\Cache\\ScannerTest::testShallow":4,"Test\\Files\\Cache\\ScannerTest::testBackgroundScan":4,"Test\\Files\\Cache\\ScannerTest::testBackgroundScanOnlyRecurseIncomplete":4,"Test\\Files\\Cache\\ScannerTest::testBackgroundScanNestedIncompleteFolders":4,"Test\\Files\\Cache\\ScannerTest::testReuseExisting":4,"Test\\Files\\Cache\\ScannerTest::testRemovedFile":4,"Test\\Files\\Cache\\ScannerTest::testRemovedFolder":4,"Test\\Files\\Cache\\ScannerTest::testScanRemovedFile":4,"Test\\Files\\Cache\\ScannerTest::testETagRecreation":4,"Test\\Files\\Cache\\ScannerTest::testRepairParent":4,"Test\\Files\\Cache\\ScannerTest::testRepairParentShallow":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testWrite":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testWriteWithMountPoints":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testDelete":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testDeleteWithMountPoints":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testRename":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testRenameExtension":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testRenameWithMountPoints":4,"Test\\Files\\Cache\\UpdaterLegacyTest::testTouch":4,"Test\\Files\\Cache\\UpdaterTest::testNewFile":4,"Test\\Files\\Cache\\UpdaterTest::testUpdatedFile":4,"Test\\Files\\Cache\\UpdaterTest::testParentSize":4,"Test\\Files\\Cache\\UpdaterTest::testMove":4,"Test\\Files\\Cache\\UpdaterTest::testMoveNonExistingOverwrite":4,"Test\\Files\\Cache\\UpdaterTest::testUpdateStorageMTime":4,"Test\\Files\\Cache\\UpdaterTest::testMoveCrossStorage":4,"Test\\Files\\Cache\\UpdaterTest::testMoveFolderCrossStorage":4,"Test\\Files\\Cache\\WatcherTest::testPolicyNever":4,"Test\\Files\\Cache\\WatcherTest::testPolicyOnce":4,"Test\\Files\\Cache\\WatcherTest::testPolicyAlways":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #3":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #0":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #1":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #2":4,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #3":4,"Test\\Files\\EtagTest::testNewUser":4,"Test\\Files\\FilesystemTest::testHooks":4,"Test\\Files\\FilesystemTest::testHomeMount":4,"Test\\Files\\FilesystemTest::testMountDefaultCacheDir":4,"Test\\Files\\FilesystemTest::testMountExternalCacheDir":4,"Test\\Files\\Mount\\ObjectStorePreviewCacheMountProviderTest::testMultibucketObjectStorage":4,"Test\\Files\\Mount\\RootMountProviderTest::testObjectStore":4,"Test\\Files\\Mount\\RootMountProviderTest::testObjectStoreMultiBucket":4,"Test\\Files\\Node\\FolderTest::testRecentFolder":3,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #0":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #1":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #2":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #3":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #4":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #5":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #6":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #7":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #8":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #9":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #10":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #11":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #12":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #13":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #0":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #1":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #2":4,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #3":4,"Test\\Files\\Node\\HookConnectorTest::testPostDeleteMeta":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testStat":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #2":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #3":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #4":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #5":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #6":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #7":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameDirectory":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameOverWriteDirectoryOverFile":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testWriteObjectSilentFailure":3,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDeleteObjectFailureKeepCache":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyBetweenJails":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRoot":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testGetPutContents with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testGetPutContents with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMimeType":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #2":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #3":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #4":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #5":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #6":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #7":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #2":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #3":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #4":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #5":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #6":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #7":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #2":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #3":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #4":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #5":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #6":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #7":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testLocal":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testUnlink":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #2":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #3":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #4":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #5":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testTouchCreateFile":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRmdirEmptyFolder":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHash with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHash with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHash with data set #2":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHashInFileName":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverWriteFile":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameOverWriteFile":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyDirectory":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverWriteDirectoryOverFile":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testInstanceOfStorage":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #0":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #1":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #2":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #3":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #4":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #5":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #6":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #7":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsCreatable":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsReadable":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsUpdatable":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsDeletable":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsShareable":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testStatAfterWrite":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testPartFile":4,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testWriteStream":4,"Test\\Files\\PathVerificationTest::testPathVerificationFileNameTooLong":4,"Test\\File\\SimpleFS\\SimpleFolderTest::testGetName":4,"Test\\File\\SimpleFS\\SimpleFolderTest::testDelete":4,"Test\\File\\SimpleFS\\SimpleFolderTest::testFileExists":4,"Test\\File\\SimpleFS\\SimpleFolderTest::testGetFile":4,"Test\\File\\SimpleFS\\SimpleFolderTest::testNewFile":4,"Test\\File\\SimpleFS\\SimpleFolderTest::testGetDirectoryListing":4,"Test\\Files\\Storage\\CommonTest::testCheckUpdate":4,"Test\\Files\\Storage\\CopyDirectoryTest::testCheckUpdate":4,"Test\\Files\\Storage\\HomeStorageQuotaTest::testHomeStorageWrapperWithoutQuota":4,"Test\\Files\\Storage\\HomeStorageQuotaTest::testHomeStorageWrapperWithQuota":4,"Test\\Files\\Storage\\HomeTest::testCheckUpdate":4,"Test\\Files\\Storage\\LocalTest::testCheckUpdate":4,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanNewFiles":4,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanNewWrappedFiles":4,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanNewFilesNested":4,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanUnchanged":4,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanUnchangedWrapped":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFilePutContentsNotEnoughSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyNotEnoughSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpaceWithUsedSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpaceWithUnknownDiskSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpaceWithUsedSpaceAndEncryption":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFWriteNotEnoughSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testStreamCopyWithEnoughSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testStreamCopyNotEnoughSpace":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testReturnRegularStreamOnRead":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testReturnRegularStreamWhenOutsideFiles":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testReturnQuotaStreamOnWrite":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testNoMkdirQuotaZero":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMkdirQuotaZeroTrashbin":4,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testNoTouchQuotaZero":4,"Test\\Files\\Utils\\ScannerTest::testReuseExistingRoot":4,"Test\\Files\\Utils\\ScannerTest::testReuseExistingFile":4,"Test\\Files\\Utils\\ScannerTest::testScanSubMount":4,"Test\\Files\\Utils\\ScannerTest::testPropagateEtag":4,"Test\\Files\\Utils\\ScannerTest::testShallow":4,"Test\\Files\\Utils\\ScannerTest::tearDownAfterClass":3,"Test\\Files\\ViewTest::testGetPath":4,"Test\\Files\\ViewTest::testGetPathNotExisting":4,"Test\\Files\\ViewTest::testMountPointOverwrite":4,"Test\\Files\\ViewTest::testRemoveSharePermissionWhenSharingDisabledForUser with data set #0":4,"Test\\Files\\ViewTest::testRemoveSharePermissionWhenSharingDisabledForUser with data set #1":4,"Test\\Files\\ViewTest::testCacheIncompleteFolder":4,"Test\\Files\\ViewTest::testAutoScan":4,"Test\\Files\\ViewTest::testSearch":4,"Test\\Files\\ViewTest::testWatcher":4,"Test\\Files\\ViewTest::testCopyBetweenStorageNoCross":4,"Test\\Files\\ViewTest::testCopyBetweenStorageCross":4,"Test\\Files\\ViewTest::testCopyBetweenStorageCrossNonLocal":4,"Test\\Files\\ViewTest::testMoveBetweenStorageNoCross":4,"Test\\Files\\ViewTest::testMoveBetweenStorageCross":4,"Test\\Files\\ViewTest::testMoveBetweenStorageCrossNonLocal":4,"Test\\Files\\ViewTest::testUnlink":4,"Test\\Files\\ViewTest::testRmdir with data set #0":4,"Test\\Files\\ViewTest::testRmdir with data set #1":4,"Test\\Files\\ViewTest::testUnlinkRootMustFail":4,"Test\\Files\\ViewTest::testTouch":4,"Test\\Files\\ViewTest::testTouchFloat":4,"Test\\Files\\ViewTest::testViewHooks":4,"Test\\Files\\ViewTest::testSearchNotOutsideView":4,"Test\\Files\\ViewTest::testViewHooksIfRootStartsTheSame":4,"Test\\Files\\ViewTest::testEditNoCreateHook":4,"Test\\Files\\ViewTest::testResolvePath with data set #0":4,"Test\\Files\\ViewTest::testResolvePath with data set #1":4,"Test\\Files\\ViewTest::testResolvePath with data set #2":4,"Test\\Files\\ViewTest::testResolvePath with data set #3":4,"Test\\Files\\ViewTest::testResolvePath with data set #4":4,"Test\\Files\\ViewTest::testResolvePath with data set #5":4,"Test\\Files\\ViewTest::testResolvePath with data set #6":4,"Test\\Files\\ViewTest::testResolvePath with data set #7":4,"Test\\Files\\ViewTest::testResolvePath with data set #8":4,"Test\\Files\\ViewTest::testResolvePath with data set #9":4,"Test\\Files\\ViewTest::testUTF8Names":4,"Test\\Files\\ViewTest::testTouchNotSupported":4,"Test\\Files\\ViewTest::testWatcherEtagCrossStorage":4,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #0":4,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #1":4,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #2":4,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #3":4,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #4":4,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #5":4,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #6":4,"Test\\Files\\ViewTest::testPartFileInfo":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #0":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #1":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #2":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #3":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #4":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #5":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #6":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #7":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #8":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #9":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #10":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #11":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #12":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #13":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #14":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #15":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #16":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #17":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #18":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #19":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #20":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #21":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #22":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #23":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #24":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #25":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #26":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #27":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #28":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #29":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #30":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #31":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #32":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #33":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #34":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #35":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #36":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #37":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #38":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #39":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #40":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #41":4,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #42":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #0":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #1":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #2":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #3":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #4":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #5":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #6":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #7":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #8":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #9":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #10":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #11":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #12":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #13":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #14":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #15":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #16":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #17":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #18":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #19":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #20":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #21":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #22":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #23":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #24":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #25":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #26":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #27":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #28":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #29":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #30":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #31":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #32":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #33":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #34":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #35":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #36":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #37":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #38":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #39":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #40":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #41":4,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #42":4,"Test\\Files\\ViewTest::testFileView":4,"Test\\Files\\ViewTest::testTooLongPath with data set #0":4,"Test\\Files\\ViewTest::testTooLongPath with data set #1":4,"Test\\Files\\ViewTest::testTooLongPath with data set #2":4,"Test\\Files\\ViewTest::testTooLongPath with data set #3":4,"Test\\Files\\ViewTest::testTooLongPath with data set #4":4,"Test\\Files\\ViewTest::testTooLongPath with data set #5":4,"Test\\Files\\ViewTest::testTooLongPath with data set #6":4,"Test\\Files\\ViewTest::testTooLongPath with data set #7":4,"Test\\Files\\ViewTest::testTooLongPath with data set #8":4,"Test\\Files\\ViewTest::testTooLongPath with data set #9":4,"Test\\Files\\ViewTest::testTooLongPath with data set #10":4,"Test\\Files\\ViewTest::testTooLongPath with data set #11":4,"Test\\Files\\ViewTest::testTooLongPath with data set #12":4,"Test\\Files\\ViewTest::testTooLongPath with data set #13":4,"Test\\Files\\ViewTest::testTooLongPath with data set #14":4,"Test\\Files\\ViewTest::testTooLongPath with data set #15":4,"Test\\Files\\ViewTest::testTooLongPath with data set #16":4,"Test\\Files\\ViewTest::testTooLongPath with data set #17":4,"Test\\Files\\ViewTest::testTooLongPath with data set #18":4,"Test\\Files\\ViewTest::testTooLongPath with data set #19":4,"Test\\Files\\ViewTest::testTooLongPath with data set #20":4,"Test\\Files\\ViewTest::testTooLongPath with data set #21":4,"Test\\Files\\ViewTest::testTooLongPath with data set #22":4,"Test\\Files\\ViewTest::testTooLongPath with data set #23":4,"Test\\Files\\ViewTest::testTooLongPath with data set #24":4,"Test\\Files\\ViewTest::testTooLongPath with data set #25":4,"Test\\Files\\ViewTest::testTooLongPath with data set #26":4,"Test\\Files\\ViewTest::testTooLongPath with data set #27":4,"Test\\Files\\ViewTest::testTooLongPath with data set #28":4,"Test\\Files\\ViewTest::testTooLongPath with data set #29":4,"Test\\Files\\ViewTest::testTooLongPath with data set #30":4,"Test\\Files\\ViewTest::testTooLongPath with data set #31":4,"Test\\Files\\ViewTest::testTooLongPath with data set #32":4,"Test\\Files\\ViewTest::testTooLongPath with data set #33":4,"Test\\Files\\ViewTest::testTooLongPath with data set #34":4,"Test\\Files\\ViewTest::testTooLongPath with data set #35":4,"Test\\Files\\ViewTest::testTooLongPath with data set #36":4,"Test\\Files\\ViewTest::testTooLongPath with data set #37":4,"Test\\Files\\ViewTest::testTooLongPath with data set #38":4,"Test\\Files\\ViewTest::testTooLongPath with data set #39":4,"Test\\Files\\ViewTest::testTooLongPath with data set #40":4,"Test\\Files\\ViewTest::testRenameCrossStoragePreserveMtime":4,"Test\\Files\\ViewTest::testRenameFailDeleteTargetKeepSource":4,"Test\\Files\\ViewTest::testCopyFailDeleteTargetKeepSource":4,"Test\\Files\\ViewTest::testDeleteFailKeepCache":4,"Test\\Files\\ViewTest::testConstructDirectoryTraversalException with data set #0":4,"Test\\Files\\ViewTest::testConstructDirectoryTraversalException with data set #1":4,"Test\\Files\\ViewTest::testConstructDirectoryTraversalException with data set #2":4,"Test\\Files\\ViewTest::testRenameOverWrite":4,"Test\\Files\\ViewTest::testSetMountOptionsInStorage":4,"Test\\Files\\ViewTest::testSetMountOptionsWatcherPolicy":4,"Test\\Files\\ViewTest::testGetAbsolutePathOnNull":4,"Test\\Files\\ViewTest::testGetRelativePathOnNull":4,"Test\\Files\\ViewTest::testNullAsRoot":4,"Test\\Files\\ViewTest::testReadFromWriteLockedPath with data set #0":4,"Test\\Files\\ViewTest::testReadFromWriteLockedPath with data set #1":4,"Test\\Files\\ViewTest::testReadFromWriteLockedPath with data set #2":4,"Test\\Files\\ViewTest::testReadFromWriteUnlockablePath with data set #0":4,"Test\\Files\\ViewTest::testReadFromWriteUnlockablePath with data set #1":4,"Test\\Files\\ViewTest::testReadFromWriteUnlockablePath with data set #2":4,"Test\\Files\\ViewTest::testWriteToReadLockedFile with data set #0":4,"Test\\Files\\ViewTest::testWriteToReadLockedFile with data set #1":4,"Test\\Files\\ViewTest::testWriteToReadLockedFile with data set #2":4,"Test\\Files\\ViewTest::testWriteToReadUnlockableFile with data set #0":4,"Test\\Files\\ViewTest::testWriteToReadUnlockableFile with data set #1":4,"Test\\Files\\ViewTest::testWriteToReadUnlockableFile with data set #2":4,"Test\\Files\\ViewTest::testLockLocalMountPointPathInsteadOfStorageRoot":4,"Test\\Files\\ViewTest::testLockStorageRootButNotLocalMountPoint":4,"Test\\Files\\ViewTest::testLockMountPointPathFailReleasesBoth":4,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #0":4,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #1":4,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #2":4,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #3":4,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #4":4,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #5":4,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #6":4,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #0":4,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #1":4,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #2":4,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #3":4,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #4":4,"Test\\Files\\ViewTest::testChangeLock":4,"Test\\Files\\ViewTest::testHookPaths with data set #0":4,"Test\\Files\\ViewTest::testHookPaths with data set #1":4,"Test\\Files\\ViewTest::testHookPaths with data set #2":4,"Test\\Files\\ViewTest::testHookPaths with data set #3":4,"Test\\Files\\ViewTest::testHookPaths with data set #4":4,"Test\\Files\\ViewTest::testHookPaths with data set #5":4,"Test\\Files\\ViewTest::testHookPaths with data set #6":4,"Test\\Files\\ViewTest::testMountPointMove":4,"Test\\Files\\ViewTest::testMoveMountPointIntoAnother":4,"Test\\Files\\ViewTest::testMoveMountPointIntoSharedFolder":3,"Test\\Files\\ViewTest::testLockBasicOperation with data set #0":3,"Test\\Files\\ViewTest::testLockBasicOperation with data set #1":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #2":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #3":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #4":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #5":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #6":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #7":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #8":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #9":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #10":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #11":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #12":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #13":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #14":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #15":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #16":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #17":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #18":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #19":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #20":4,"Test\\Files\\ViewTest::testLockBasicOperation with data set #21":4,"Test\\Files\\ViewTest::testLockFilePutContentWithStream":4,"Test\\Files\\ViewTest::testLockFopen":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #1":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #2":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #3":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #4":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #5":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #6":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #7":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #8":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #10":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #11":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #12":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #13":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #14":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #15":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #16":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #17":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #18":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #19":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #20":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #21":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterLockException":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #0":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #1":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #2":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #3":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #4":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #5":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #6":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #7":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #8":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #9":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #10":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #11":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #12":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #13":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #14":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #15":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #16":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #17":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #18":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #19":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #20":4,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #21":4,"Test\\Files\\ViewTest::testLockFileCopyException":4,"Test\\Files\\ViewTest::testLockFileRenameUnlockOnException":4,"Test\\Files\\ViewTest::testGetOwner":4,"Test\\Files\\ViewTest::testLockFileRenameCrossStorage with data set #0":4,"Test\\Files\\ViewTest::testLockMoveMountPoint":4,"Test\\Files\\ViewTest::testRemoveMoveableMountPoint":4,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #0":4,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #1":4,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #2":4,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #3":4,"Test\\Files\\ViewTest::testFilePutContentsClearsChecksum":4,"Test\\Files\\ViewTest::testDeleteGhostFile":4,"Test\\Files\\ViewTest::testCreateParentDirectories":4,"Test\\Files\\ViewTest::testCreateParentDirectoriesWithExistingFile":4,"Test\\Files\\ViewTest::testCacheExtension":4,"Test\\Files\\ViewTest::tearDownAfterClass":3,"Test\\Group\\DatabaseTest::tearDownAfterClass":3,"Test\\HelperStorageTest::testGetStorageInfo":4,"Test\\HelperStorageTest::testGetStorageInfoExcludingExtStorage":4,"Test\\HelperStorageTest::testGetStorageInfoIncludingExtStorage":4,"Test\\HelperStorageTest::testGetStorageInfoIncludingExtStorageWithNoUserQuota":4,"Test\\HelperStorageTest::testGetStorageInfoWithQuota":4,"Test\\HelperStorageTest::testGetStorageInfoWhenSizeExceedsQuota":4,"Test\\HelperStorageTest::testGetStorageInfoWhenFreeSpaceLessThanQuota":4,"Test\\HelperStorageTest::tearDownAfterClass":3,"Test\\Preview\\BackgroundCleanupJobTest::testCleanupSystemCron":4,"Test\\Preview\\BackgroundCleanupJobTest::testCleanupAjax":4,"Test\\Preview\\BackgroundCleanupJobTest::testOldPreviews":4,"Test\\Security\\CertificateManagerTest::testListCertificates":4,"Test\\Security\\CertificateManagerTest::testAddInvalidCertificate":4,"Test\\Security\\CertificateManagerTest::testAddDangerousFile with data set #0":4,"Test\\Security\\CertificateManagerTest::testAddDangerousFile with data set #1":4,"Test\\Security\\CertificateManagerTest::testAddDangerousFile with data set #2":4,"Test\\Security\\CertificateManagerTest::testRemoveDangerousFile":4,"Test\\Security\\CertificateManagerTest::testRemoveExistingFile":4,"Test\\Security\\CertificateManagerTest::testGetCertificateBundle":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #0":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #1":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #2":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #3":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #4":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #5":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #6":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #7":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #8":4,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #9":4,"Test\\Share20\\DefaultShareProviderTest::testGetSharesInFolder":4,"Test\\Share20\\DefaultShareProviderTest::testGetAccessListNoCurrentAccessRequired":4,"Test\\Share20\\DefaultShareProviderTest::testGetAccessListCurrentAccessRequired":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutNoCreatePermissions":4,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testEncryptedVersionLessThanOriginalValue":3,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testEncryptedVersionGreaterThanOriginalValue":3,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testVersionIsRestoredToOriginalIfNoFixIsFound":3,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareLink":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareLinkPublicUpload":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkUrl":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromSource":1,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromSourceWithReshares":1,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFolderReshares":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareMultipleSharedFolder":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFileReReShares":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testUpdateShare":1,"OCA\\Files_Sharing\\Tests\\ApiTest::testDeleteReshare":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkExpireDate with data set #0":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreatePublicLinkExpireDateValid":4,"OCA\\Files_Sharing\\Tests\\EncryptedSizePropagationTest::testSizePropagationWhenRecipientChangesFile":4,"OCA\\Files_Sharing\\Tests\\SizePropagationTest::testSizePropagationWhenRecipientChangesFile":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientWritesToShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientWritesToReshare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientWritesToOtherRecipientsReshare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientRenameInShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientRenameInReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientDeleteInShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientDeleteInReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testReshareRecipientWritesToReshare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testReshareRecipientRenameInReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testReshareRecipientDeleteInReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientUploadInDirectReshare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testEtagChangeOnPermissionsChange":4,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testGroupReShareRecipientWrites":4,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testGroupReShareSubFolderRecipientWrites":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testShareWithGroupUniqueName":1,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testRenamePartFile":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithUpdateOnlyPermission":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithDeleteOnlyPermission":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testMountSharesOtherUser":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testCopyFromStorage":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testMoveFromStorage":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testNameConflict":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testOwnerPermissions":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testInitWithNonExistingUser":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testInitWithNotFoundSource":4,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testDeleteParentFolder":4,"OCA\\Files_Sharing\\Tests\\WatcherTest::testFolderSizePropagationToOwnerStorage":3,"OCA\\Files_Sharing\\Tests\\WatcherTest::testSubFolderSizePropagationToOwnerStorage":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetFolderContentsInRoot":4,"OCA\\Files_Versions\\Tests\\VersioningTest::testRenameInSharedFolder":4,"OCA\\Files_Versions\\Tests\\VersioningTest::testMoveFileIntoSharedFolderAsRecipient":4,"OCA\\Files_Versions\\Tests\\VersioningTest::testMoveFolderIntoSharedFolderAsRecipient":4,"OCA\\Files_Versions\\Tests\\VersioningTest::testRestoreMovedShare":1,"OCA\\Theming\\Tests\\Controller\\IconControllerTest::testGetFaviconDefault":1,"OCA\\Theming\\Tests\\Controller\\IconControllerTest::testGetTouchIconDefault":1,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #0":1,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #1":1,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #2":1,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #3":1,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #4":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #0":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #1":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #2":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #3":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #4":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #0":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #1":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #2":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #3":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #4":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFaviconNotFound":1,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIconNotFound":1,"OCA\\Theming\\Tests\\IconBuilderTest::testColorSvgNotFound":1,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImageUrl":1,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImageUrlAbsolute":1,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImage":1,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetFormWithUpdate":3,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetFormWithUpdateAndChangedUpdateServer":3,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetFormWithUpdateAndCustomersUpdateServer":3,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testGetListOfIdsByDn":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testGetListOfIdsByDn":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #14":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #15":3,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateMailShare":4,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateMailShareFailed":3,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testAddShareToDB":3,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdate":4,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetSharesInFolder":4,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetAccessList":4,"Test\\Files\\Cache\\ScannerTest::tearDownAfterClass":3,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #6":4,"Test\\AppFramework\\Db\\QBMapperTest::testInsertEntityParameterTypeMapping":4,"Test\\AppFramework\\Db\\QBMapperTest::testUpdateEntityParameterTypeMapping":3,"Test\\AppFramework\\Db\\QBMapperTest::testGetParameterTypeForProperty":3,"Warning":6,"Test\\Metadata\\FileMetadataMapperTest::testFindForGroupForFiles":4,"Test\\TagsTest::testTagManagerWithoutUserReturnsNull":4,"Test\\TagsTest::testInstantiateWithDefaults":4,"Test\\TagsTest::testAddTags":4,"Test\\TagsTest::testAddMultiple":4,"Test\\TagsTest::testIsEmpty":4,"Test\\TagsTest::testGetTagsForObjects":4,"Test\\TagsTest::testGetTagsForObjectsMassiveResults":4,"Test\\TagsTest::testDeleteTags":4,"Test\\TagsTest::testRenameTag":4,"Test\\TagsTest::testTagAs":4,"Test\\TagsTest::testUnTag":1,"Test\\TagsTest::testFavorite":4,"Test\\Share\\ShareTest::testGetItemSharedWithUser":4,"Test\\Share\\ShareTest::testGetItemSharedWithUserFromGroupShare":3,"OCA\\Files_Sharing\\Tests\\ApiTest::testShareFolderWithAMountPoint":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerWritesToShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerWritesToSingleFileShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerWritesToShareWithReshare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameInShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameInReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameIntoReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameOutOfReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerDeleteInShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerDeleteInReShare":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerUnshares":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerUnsharesFlatReshares":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientUnsharesFromSelf":4,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientRenameResharedFolder":4,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testRecipientUnsharesFromSelfUniqueGroupShare":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testDeleteParentOfMountPoint":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testMoveSharedFile":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testMoveGroupShare":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testParentOfMountPointIsGone":4,"OCA\\Files_Sharing\\Tests\\UnshareChildrenTest::testUnshareChildren":4,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testRename":3,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareUserFile":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareUserFolder":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareGroupFile":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareGroupFolder":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testEnforceLinkPassword":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testSharePermissions":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetAllShares":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromId":1,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFolder":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFolderWithFile":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromSubFolderReShares":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromUnknownId":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testUpdateShareUpload":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testUpdateShareExpireDate":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testDeleteShare":1,"OCA\\Files_Sharing\\Tests\\ApiTest::testShareStorageMountPoint":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkExpireDate with data set #1":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkExpireDate with data set #2":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreatePublicLinkExpireDateInvalidFuture":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testInvisibleSharesUser":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testInvisibleSharesGroup":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testSearch":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testSearchByMime":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetFolderContentsInSubdir":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetFolderContentsWhenSubSubdirShared":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetPathByIdDirectShare":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetPathByIdShareSubFolder":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testNumericStorageId":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testShareJailedStorage":4,"OCA\\Files_Sharing\\Tests\\CacheTest::testSearchShareJailedStorage":4,"OCA\\Files_Sharing\\Tests\\EncryptedSizePropagationTest::testSizePropagationWhenOwnerChangesFile":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #0":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #1":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #2":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #3":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #4":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #5":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #6":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #7":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #8":4,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #9":4,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testRecipientUnsharesFromSelf":4,"OCA\\Files_Sharing\\Tests\\LockingTest::testLockAsRecipient":4,"OCA\\Files_Sharing\\Tests\\LockingTest::testUnLockAsRecipient":4,"OCA\\Files_Sharing\\Tests\\LockingTest::testChangeLock":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testUnshareFromSelf":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testShareWithDifferentShareFolder":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileOwner":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testShareMountLoseParentFolder":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testPermissionUpgradeOnUserDeletedGroupShare":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFilesize":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testGetPermissions":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithReadOnlyPermission":4,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithCreateOnlyPermission":4,"OCA\\Files_Sharing\\Tests\\SizePropagationTest::testSizePropagationWhenOwnerChangesFile":4,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testShareFile with data set #0":4,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testShareFile with data set #1":4,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetAllSharesWithMe":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #0":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #1":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #2":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #3":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #4":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #5":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #6":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #7":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #8":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #9":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #10":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #11":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #12":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #13":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #14":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #15":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #16":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #17":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #18":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #19":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #20":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #21":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #22":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #23":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #24":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #25":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #26":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #27":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #28":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #29":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #0":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #1":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #2":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #3":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #4":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #5":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #0":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #1":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #2":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #3":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchNoItemType":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testGetPaginationLink with data set #0":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testGetPaginationLink with data set #1":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsV2 with data set #0":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsV2 with data set #1":4,"OCA\\Files_Sharing\\Tests\\External\\CacheTest::testGetInjectsOwnerDisplayName":4,"OCA\\Files_Sharing\\Tests\\External\\CacheTest::testGetReturnsFalseIfNotFound":4,"OCA\\Files_Sharing\\Tests\\External\\CacheTest::testGetFolderPopulatesOwner":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAddUserShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAddGroupShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAcceptOriginalGroupShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAcceptGroupShareAgainThroughGroupShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAcceptGroupShareAgainThroughSubShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineOriginalGroupShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineGroupShareAgainThroughGroupShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineGroupShareAgainThroughSubshare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineGroupShareAgainThroughMountPoint":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineThenAcceptGroupShareAgainThroughGroupShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineThenAcceptGroupShareAgainThroughSubShare":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeleteUserShares":4,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeleteGroupShares":4,"OCA\\Files_Sharing\\Tests\\HelperTest::testSetGetShareFolder":4,"OCA\\Files_Sharing\\Tests\\Migration\\SetPasswordColumnTest::testAddPasswordColumn":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #0":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #1":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #2":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #3":4,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #4":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #0":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #1":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #2":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #3":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #4":4,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #5":4,"Test\\AllConfigTest::testGetUsersForUserValue":3,"Test\\AllConfigTest::testGetUsersForUserValueCaseInsensitive":3,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFile":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFolder":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testCrossStorageDeleteFile":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testCrossStorageDeleteFolder":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFile":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFolder":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFileAsRecipient":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFolderAsRecipient":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testKeepFileAndVersionsWhenMovingFileBetweenStorages":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testKeepFileAndVersionsWhenMovingFolderBetweenStorages":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFileFail":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFolderFail":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #0":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #1":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #2":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #3":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #4":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #5":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFileLoggedOut":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testTrashbinCollision":4,"OCA\\Files_Trashbin\\Tests\\StorageTest::testMoveFromStoragePreserveFileId":4,"TrashbinTest::testExpireOldFiles":3,"TrashbinTest::testExpireOldFilesShared":3,"TrashbinTest::testExpireOldFilesUtilLimitsAreMet":3,"TrashbinTest::testRestoreFileInRoot":3,"TrashbinTest::testRestoreFileInSubfolder":3,"TrashbinTest::testRestoreFolder":3,"TrashbinTest::testRestoreFileFromTrashedSubfolder":3,"TrashbinTest::testRestoreFileWithMissingSourceFolder":3,"TrashbinTest::testRestoreFileDoesNotOverwriteExistingInRoot":3,"TrashbinTest::testRestoreFileDoesNotOverwriteExistingInSubfolder":3,"TrashbinTest::testRestoreFileIntoReadOnlySourceFolder":3,"Test\\Lock\\DBLockingProviderTest::testCleanEmptyLocks":4,"Test\\Lock\\DBLockingProviderTest::testDoubleShared":4,"Test\\Lock\\DBLockingProviderTest::testExclusiveLock":4,"Test\\Lock\\DBLockingProviderTest::testSharedLock":4,"Test\\Lock\\DBLockingProviderTest::testDoubleSharedLock":4,"Test\\Lock\\DBLockingProviderTest::testReleaseSharedLock":4,"Test\\Lock\\DBLockingProviderTest::testDoubleExclusiveLock":4,"Test\\Lock\\DBLockingProviderTest::testReleaseExclusiveLock":4,"Test\\Lock\\DBLockingProviderTest::testExclusiveLockAfterShared":4,"Test\\Lock\\DBLockingProviderTest::testExclusiveLockAfterSharedReleased":4,"Test\\Lock\\DBLockingProviderTest::testReleaseAll":4,"Test\\Lock\\DBLockingProviderTest::testReleaseAllAfterChange":4,"Test\\Lock\\DBLockingProviderTest::testReleaseAllAfterUnlock":4,"Test\\Lock\\DBLockingProviderTest::testReleaseAfterReleaseAll":4,"Test\\Lock\\DBLockingProviderTest::testSharedLockAfterExclusive":4,"Test\\Lock\\DBLockingProviderTest::testLockedExceptionHasPathForShared":4,"Test\\Lock\\DBLockingProviderTest::testLockedExceptionHasPathForExclusive":4,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusive":4,"Test\\Lock\\DBLockingProviderTest::testChangeLockToShared":4,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusiveDoubleShared":4,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusiveNoShared":4,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusiveFromExclusive":4,"Test\\Lock\\DBLockingProviderTest::testChangeLockToSharedNoExclusive":4,"Test\\Lock\\DBLockingProviderTest::testChangeLockToSharedFromShared":4,"Test\\Lock\\DBLockingProviderTest::testReleaseNonExistingShared":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testDoubleShared":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testCleanEmptyLocks":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testDoubleSharedLock":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseSharedLock":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseExclusiveLock":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testExclusiveLockAfterSharedReleased":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAll":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAllAfterChange":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAllAfterUnlock":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAfterReleaseAll":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testSharedLockAfterExclusive":3,"Test\\Lock\\NonCachingDBLockingProviderTest::testLockedExceptionHasPathForShared":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testLockedExceptionHasPathForExclusive":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToShared":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToExclusiveDoubleShared":3,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToSharedNoExclusive":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToSharedFromShared":4,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseNonExistingShared":4,"OCA\\User_LDAP\\Tests\\AccessTest::testStringResemblesDN with data set #0":4,"OCA\\User_LDAP\\Tests\\AccessTest::testStringResemblesDNLDAPmod with data set #0":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"dn\"":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"uniqueMember\"":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"member\"":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"memberOf\"":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #0":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #1":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #2":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #3":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #4":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #0":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #1":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #2":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #3":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #4":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #0":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #1":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #2":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #3":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #4":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #5":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testQualifiesToRun":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testRun with data set #0":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testRun with data set #1":4,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testRun with data set #2":4,"OCA\\User_LDAP\\Tests\\AccessTest::testEscapeFilterPartValidChars":4,"OCA\\User_LDAP\\Tests\\AccessTest::testEscapeFilterPartEscapeWildcard":4,"OCA\\User_LDAP\\Tests\\AccessTest::testEscapeFilterPartEscapeWildcard2":4,"OCA\\User_LDAP\\Tests\\AccessTest::testConvertSID2StrSuccess with data set #0":4,"OCA\\User_LDAP\\Tests\\AccessTest::testConvertSID2StrSuccess with data set #1":4,"OCA\\User_LDAP\\Tests\\AccessTest::testConvertSID2StrInputError":4,"OCA\\User_LDAP\\Tests\\AccessTest::testGetDomainDNFromDNSuccess":4,"OCA\\User_LDAP\\Tests\\AccessTest::testGetDomainDNFromDNError":4,"OCA\\User_LDAP\\Tests\\AccessTest::testCacheUserHome":4,"OCA\\User_LDAP\\Tests\\AccessTest::testBatchApplyUserAttributes":4,"OCA\\User_LDAP\\Tests\\AccessTest::testBatchApplyUserAttributesSkipped":4,"OCA\\User_LDAP\\Tests\\AccessTest::testBatchApplyUserAttributesDontSkip":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPasswordWithDisabledChanges":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPasswordWithLdapNotAvailable":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPasswordWithRejectedChange":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPassword":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSearchNoPagedSearch":4,"OCA\\User_LDAP\\Tests\\AccessTest::testFetchListOfUsers":4,"OCA\\User_LDAP\\Tests\\AccessTest::testFetchListOfGroupsKnown":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #0":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #1":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #2":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #3":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #4":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #5":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #6":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #7":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #8":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #9":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #0":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #1":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #2":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #3":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #4":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #5":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #6":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #7":4,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #8":4,"OCA\\User_LDAP\\Tests\\AccessTest::testUserStateUpdate":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testDeleteGroupWithPlugin":4,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runNotAllowedByDisabledConfigurations":4,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runNotAllowedByBrokenHelper":4,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runNotAllowedBySysConfig":4,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runIsAllowed":4,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_OffsetResetIsNecessary":4,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_OffsetResetIsNotNecessary":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserDNUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserDN":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupDNGroupIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupDN":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserName":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testDNasBaseParameter":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testSanitizeDN":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPConnectionUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPConnection":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupLDAPConnectionGroupIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupLDAPConnection":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseUsersUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseUsers":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseGroupsUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseGroups":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearCacheUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearCache":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearGroupCacheGroupIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearGroupCache":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testDnExists":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testFlagRecord":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testUnflagRecord":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPDisplayNameFieldUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPDisplayNameField":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPEmailFieldUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPEmailField":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPGroupMemberAssocUserIDNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testgetLDAPGroupMemberAssoc":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttributeUserNotFound":3,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttributeCacheHit":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttributeLdapError":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttribute":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserAttributeLdapError":4,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserAttribute":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testIsColNameValid":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testMap":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testUnmap":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testGetMethods":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testSearch":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testSetDNMethod":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testSetUUIDMethod":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testClear":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testClearCb":4,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testList":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testIsColNameValid":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testMap":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testUnmap":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testGetMethods":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testSearch":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testSetDNMethod":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testSetUUIDMethod":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testClear":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testClearCb":4,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testList":4,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunSingleRecord":4,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunValidRecord":4,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunRemovedRecord":4,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunManyRecords":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testGetName":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testRun with data set #0":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testRunWithManyAndNone with data set #0":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testDonNotRun":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunSingleRecord":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunValidRecord":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunRemovedRecord":4,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunManyRecords":4,"OCA\\User_LDAP\\Tests\\User\\DeletedUsersIndexTest::testMarkAndFetchUser":4,"OCA\\User_LDAP\\Tests\\User\\DeletedUsersIndexTest::testUnmarkUser":4,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #0":4,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #1":4,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #2":4,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #3":4,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #4":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testDeleteUserSuccess":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testDeleteUserWithPlugin":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testUserExists":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testUserExistsForDeleted":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testUserExistsPublicAPI":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetHomeDeletedUser":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetDisplayName":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetDisplayNamePublicAPI":4,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCreateUserWithPlugin":4,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackend":4,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendWithLimitSpecified":4,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendWithLimitAndOffsetSpecified":4,"Test\\Group\\GroupTest::testSearchUsers":3,"Test\\Group\\GroupTest::testSearchUsersMultipleBackends":3,"Test\\Group\\GroupTest::testSearchUsersLimitAndOffset":3,"Test\\Group\\GroupTest::testSearchUsersMultipleBackendsLimitAndOffset":3,"Test\\Group\\GroupTest::testCountUsersNoMethod":3,"Test\\Group\\ManagerTest::testGetDeleted":4,"Test\\Group\\ManagerTest::testSearchResultExistsButGroupDoesNot":3,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendAndSearchEmpty":3,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendAndSearchEmptyAndLimitSpecified":3,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendAndSearchEmptyAndLimitAndOffsetSpecified":3,"Test\\Group\\ManagerTest::testGetUserGroups":3,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testEncryptAll":6,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecute with data set #0":4,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecute with data set #1":4,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #0":6,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #1":6,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #2":6,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #3":6,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #4":6,"Tests\\Core\\Controller\\AutoCompleteControllerTest::testGet with data set #1":4,"Tests\\Core\\Controller\\AvatarControllerTest::testDeleteAvatarException":3,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarException":3,"Tests\\Core\\Controller\\AvatarControllerTest::testPostCroppedAvatarException":3,"Tests\\Core\\Controller\\LoginControllerTest::testLogoutWithoutToken":4,"Tests\\Core\\Controller\\LoginControllerTest::testLogoutNoClearSiteData":4,"Tests\\Core\\Controller\\LoginControllerTest::testLogoutWithToken":4,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormForLoggedInUsers":4,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormWithErrorsInSession":3,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormForFlowAuth":3,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormWithPasswordResetOption with data set #0":6,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormWithPasswordResetOption with data set #1":6,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormForUserNamed0":3,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithInvalidCredentials":4,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithValidCredentials":4,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithoutPassedCsrfCheckAndNotLoggedIn":4,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithoutPassedCsrfCheckAndLoggedIn":4,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithValidCredentialsAndRedirectUrl":4,"Tests\\Core\\Controller\\LoginControllerTest::testToNotLeakLoginName":4,"Tests\\Core\\Controller\\LostControllerTest::testEmailUnsuccessful":6,"Tests\\Core\\Controller\\LostControllerTest::testEmailCantSendException":6,"Tests\\Core\\Controller\\LostControllerTest::testSendEmailNoEmail":6,"Tests\\Core\\Controller\\LostControllerTest::testTwoUsersWithSameEmail":6,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollApptokenCouldNotBeDecrypted":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollInvalidToken":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollTokenNotYetReady":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollRemoveDataFromDb":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testGetByLoginToken":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testGetByLoginTokenLoginTokenInvalid":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testStartLoginFlow":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testStartLoginFlowDoesNotExistException":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testStartLoginFlowException":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testFlowDone":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testFlowDoneDoesNotExistException":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testFlowDonePasswordlessTokenException":4,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testCreateTokens":4,"Test\\Encryption\\UtilTest::testGetEncryptionModuleId with data set #0":4,"Test\\Encryption\\UtilTest::testGetEncryptionModuleId with data set #1":4,"Test\\Encryption\\UtilTest::testGetEncryptionModuleId with data set #2":4,"Test\\Encryption\\UtilTest::testCreateHeader with data set #0":4,"Test\\Encryption\\UtilTest::testCreateHeader with data set #1":4,"Test\\Encryption\\UtilTest::testCreateHeaderFailed":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #0":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #1":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #2":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #3":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #4":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #5":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #6":4,"Test\\Encryption\\UtilTest::testIsExcluded with data set #7":4,"Test\\Encryption\\UtilTest::testIsFile with data set #0":4,"Test\\Encryption\\UtilTest::testIsFile with data set #1":4,"Test\\Encryption\\UtilTest::testIsFile with data set #2":4,"Test\\Encryption\\UtilTest::testIsFile with data set #3":4,"Test\\Encryption\\UtilTest::testIsFile with data set #4":4,"Test\\Encryption\\UtilTest::testIsFile with data set #5":4,"Test\\Encryption\\UtilTest::testIsFile with data set #6":4,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #0":4,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #1":4,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #2":4,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #3":4,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #0":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #1":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #2":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #3":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #4":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #5":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #6":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #7":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #0":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #1":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #2":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #3":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #4":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #5":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #6":6,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #7":6,"Test\\User\\DatabaseTest::testSearch":4,"Test\\User\\DatabaseTest::testAddRemove":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #0":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #1":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #2":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #3":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #4":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #5":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #6":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #7":4,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #8":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #0":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #1":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #2":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #3":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #4":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #5":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #6":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #7":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #8":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #9":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #10":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #11":4,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #12":4,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveAllKeys":6,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testMaintenanceAndTrashbin":6,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecute with data set #0":6,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecute with data set #1":6,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecuteFailure":6,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #0":6,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #1":6,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #2":6,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #3":6,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #4":6,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testMaintenanceMode with data set #0":6,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testMaintenanceMode with data set #1":6,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testMaintenanceMode with data set #2":6,"Tests\\Core\\Command\\Log\\FileTest::testGetConfiguration":6,"Tests\\Core\\Command\\Log\\ManageTest::testGetConfiguration":6,"Tests\\Core\\Command\\Maintenance\\Mimetype\\UpdateDBTest::testNoop":6,"Tests\\Core\\Command\\Maintenance\\Mimetype\\UpdateDBTest::testAddMimetype":6,"Tests\\Core\\Command\\Maintenance\\Mimetype\\UpdateDBTest::testRepairFilecache":6,"Tests\\Core\\Controller\\LostControllerTest::testEmailSuccessful":6,"Tests\\Core\\Controller\\LostControllerTest::testEmailWithMailSuccessful":6,"Tests\\Core\\Controller\\NavigationControllerTest::testGetAppNavigation with data set #1":3,"Tests\\Core\\Controller\\NavigationControllerTest::testGetSettingsNavigation with data set #1":3,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSolveChallengeTwoFactorException":6,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\CleanupInvitationTokenJobTest::testRun":4,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #0":6,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #1":6,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #2":6,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #3":6,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RegisterRegenerateBirthdayCalendarsTest::testRun":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetChild":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetChildren":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetMultipleChildren":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testChildExists":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testGetChildren":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testGetChildNonAppGenerated":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testGetChildAppGenerated":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarManagerTest::testSetupCalendarProvider":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\AudioProviderTest::testSend":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\EmailProviderTest::testSendWithoutAttendees":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\EmailProviderTest::testSendWithAttendees":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\PushProviderTest::testSend":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testProcessReminders":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSetGroupMemberSet":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSetGroupMemberSet":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testDelivery":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testFailedDelivery":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testDeliveryWithNoCommonName":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #2":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #4":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #5":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #8":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #9":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #0":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #1":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #2":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #3":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #4":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #5":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #6":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testMessageSendWhenEventWithoutName":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testInitialize":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testReport":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\PluginTest::testDisabled":6,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\PluginTest::testEnabled":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testCreateUid":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardDeleted":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testResetForUser":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #0":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #1":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #2":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #3":6,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testEnsureSystemAddressBookExists":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testWithBadUserOrigin with data set #0":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testWithBadUserOrigin with data set #1":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithInexistantCalendar":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithExistingDestinationCalendar":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMove":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationNotPartOfGroup with data set #0":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationNotPartOfGroup with data set #1":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationPartOfGroup":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationNotPartOfGroupAndForce":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithCalendarAlreadySharedToDestination with data set #0":6,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithCalendarAlreadySharedToDestination with data set #1":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testInitialize":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testPropFind":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testOnReport":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFindNodesByFileIdsRoot":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFindNodesByFileIdsSubDir":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesInvisibleTagAsAdmin":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesVisibleTagAsUser":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSetGroupMembershipProxy":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #0":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #1":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #2":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #3":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalByCalendarUserAddressSet":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationDisabledDisplayname":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationLimitedDisplayname":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationLimitedMail":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testFindByUriWithGroupRestriction with data set #0":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testFindByUriWithGroupRestriction with data set #1":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testUpdateTags":6,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testUpdateTagsFromScratch":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAccept with data set \"local attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAccept with data set \"external attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptSequence with data set \"local attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptSequence with data set \"external attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptRecurrenceId with data set \"local attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptRecurrenceId with data set \"external attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptTokenNotFound":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptExpiredToken":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testDecline with data set \"local attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testDecline with data set \"external attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testProcessMoreOptionsResult with data set \"local attendee\"":6,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testProcessMoreOptionsResult with data set \"external attendee\"":6,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #8":6,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #9":6,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RefreshWebcalJobRegistrarTest::testRun":6,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RemoveDeletedUsersCalendarSubscriptionsTest::testRun with data set #0":6,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RemoveDeletedUsersCalendarSubscriptionsTest::testRun with data set #1":6,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningNodeTest::testGetProperties":6,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningPluginTest::testInitialize":6,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningPluginTest::testHttpGetOnHttp":6,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningPluginTest::testHttpGetOnHttps":6,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGetDeepLinkToCalendarApp":6,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveDestinationIsDirectory":6,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveFutureFileSkipNonExisting":6,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveFutureFileMoveIt":6,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveSizeIsWrong":6,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #0":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #1":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #2":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #3":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #4":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #5":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #6":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #7":4,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #8":4,"Test\\Avatar\\UserAvatarTest::testGetAvatarSizeMatch":6,"Test\\Avatar\\UserAvatarTest::testGetAvatarSizeMinusOne":6,"Test\\Avatar\\UserAvatarTest::testGetAvatarNoSizeMatch":4,"Test\\Avatar\\UserAvatarTest::testSetAvatar":6,"Test\\Avatar\\UserAvatarTest::testMixPalette":4,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #0":6,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #1":4,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #2":4,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #3":4,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testCheckServer":3,"OCA\\Federation\\Tests\\Middleware\\AddServerMiddlewareTest::testAfterException with data set #0":6,"OCA\\Federation\\Tests\\Middleware\\AddServerMiddlewareTest::testAfterException with data set #1":6,"OCA\\Federation\\Tests\\SyncFederationAddressbooksTest::testSync":6,"OCA\\Federation\\Tests\\TrustedServersTest::testAddServer with data set #0":6,"OCA\\Federation\\Tests\\TrustedServersTest::testAddServer with data set #1":6,"OCA\\Federation\\Tests\\TrustedServersTest::testGetSharedSecret":6,"OCA\\Federation\\Tests\\TrustedServersTest::testRemoveServer":3,"OCA\\Federation\\Tests\\TrustedServersTest::testSetServerStatus":4,"OCA\\Federation\\Tests\\TrustedServersTest::testGetServerStatus":6,"OCA\\Federation\\Tests\\TrustedServersTest::testIsOwnCloudServerFail":4,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckOwnCloudVersion with data set #0":3,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckOwnCloudVersion with data set #1":3,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckOwnCloudVersionTooLow with data set #0":3,"OCA\\Federation\\Tests\\TrustedServersTest::testIsNextcloudServer with data set #0":4,"OCA\\Federation\\Tests\\TrustedServersTest::testIsNextcloudServer with data set #1":4,"OCA\\Federation\\Tests\\TrustedServersTest::testAddServer":4,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGenerateTokenNoPassword":4,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGenerateTokenInvalidName":4,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetPassword":4,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetPasswordInvalidToken":3,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRenewSessionTokenWithPassword":3,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRotate":4,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGenerateTokenLongPassword":3,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRenewSessionTokenWithoutPassword":4,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRotateNoPassword":4,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetFormWithOnlyOneBackend with data set #0":4,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetFormWithOnlyOneBackend with data set #1":4,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testExecute with data set #0":6,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testExecute with data set #1":6,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testExecute with data set #2":6,"Test\\Preview\\GeneratorTest::testGetCachedPreview":4,"Test\\Preview\\GeneratorTest::testGetNewPreview":4,"Test\\Preview\\GeneratorTest::testReturnCachedPreviewsWithoutCheckingSupportedMimetype":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #0":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #1":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #2":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #3":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #4":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #5":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #6":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #7":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #8":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #9":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #10":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #11":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #12":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #13":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #14":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #15":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #16":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #17":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #18":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #19":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #20":4,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #21":4,"Test\\Migration\\BackgroundRepairTest::testNoArguments":6,"Test\\Migration\\BackgroundRepairTest::testAppUpgrading":6,"Test\\Migration\\BackgroundRepairTest::testUnknownStep":6,"Test\\Migration\\BackgroundRepairTest::testWorkingStep":6,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareUserNoShareWith":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareUserNoValidShareWith":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareUser":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareGroupNoValidShareWith":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareGroup":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareGroupNotAllowed":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkNoLinksAllowed":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkNoPublicUpload":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkPublicUploadFile":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkPublicUploadFolder":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkPassword":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkSendPasswordByTalk":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkSendPasswordByTalkWithTalkDisabled":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareValidExpireDate":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareInvalidExpireDate":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRemote":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRemoteGroup":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRoom":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRoomHelperNotAvailable":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRoomHelperThrowException":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateReshareOfFederatedMountNoDeletePermissions":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareClear":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSet":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareEnablePublicUpload with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareEnablePublicUpload with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareEnablePublicUpload with data set #2":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #2":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #3":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #4":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions1 with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions1 with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions1 with data set #2":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions2 with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions2 with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareInvalidDate":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadNotAllowed with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadNotAllowed with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadNotAllowed with data set #2":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadOnFile":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePasswordDoesNotChangeOther":6,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSendPasswordByTalkDoesNotChangeOther":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSendPasswordByTalkWithTalkDisabledDoesNotChangeOther":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareDoNotSendPasswordByTalkDoesNotChangeOther":6,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareDoNotSendPasswordByTalkWithTalkDisabledDoesNotChangeOther":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareExpireDateDoesNotChangeOther":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadDoesNotChangeOther":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePermissions":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePermissionsShare":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteSharedWithMyGroup":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteSharedWithGroupIDontBelongTo":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShare with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShare with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShare with data set #2":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShareInvalidNode":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #0":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #1":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #2":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #3":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #4":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #5":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #6":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #7":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #8":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #9":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #10":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #11":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #12":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #13":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #14":4,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessShare":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #2":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #3":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareInvalidPath":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareInvalidPermissions":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateShareCantAccess":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #1":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #2":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #3":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #4":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #5":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #6":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #7":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #8":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #9":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #10":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #11":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #12":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #13":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #16":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatRoomShare with data set #0":3,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatRoomShare with data set #1":3,"OCA\\Files_Versions\\Tests\\BackgroundJob\\ExpireVersionsTest::testBackgroundJobDeactivated":6,"OCA\\Files_Trashbin\\Tests\\BackgroundJob\\ExpireTrashTest::testConstructAndRun":3,"OCA\\Files_Trashbin\\Tests\\BackgroundJob\\ExpireTrashTest::testBackgroundJobDeactivated":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupsByMember with data set #0":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupsByMember with data set #1":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #0":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #1":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #2":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #3":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #4":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountEmptySearchString":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountWithSearchString":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountUsersWithPlugin":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGidNumber2NameSuccess":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGidNumberID2NameNoGroup":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGidNumberID2NameNoName":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGidNumberValue":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGidNumberNoValue":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameSuccessCache":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameSuccess":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameNoSID":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameNoGroup":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameNoName":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGroupIDValue":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGroupIDNoValue":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupHitsUidGidCache":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupMember with data set #0":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupMemberNot with data set #0":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupMemberUid with data set #0":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupsWithOffset":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testUsersInGroupPrimaryMembersOnly":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testUsersInGroupPrimaryAndUnixMembers":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountUsersInGroupPrimaryMembersOnly":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetUserGroupsMemberOf":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetUserGroupsMemberOfDisabled":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCreateGroupWithPlugin":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCreateGroupFailing":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testDeleteGroupFailing":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testAddToGroupWithPlugin":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testAddToGroupFailing":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testRemoveFromGroupWithPlugin":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testRemoveFromGroupFailing":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupDetailsWithPlugin":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupDetailsFailing":3,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetDisplayName with data set #0":4,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetDisplayName with data set #1":4,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testUpdatePasswords":3,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testOnCalendarObjectCreateEmpty":4,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\DirectControllerTest::testGetUrlNonExistingFileId":4,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\DirectControllerTest::testGetUrlForFolder":4,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\DirectControllerTest::testGetUrlValid":4,"Test\\UrlGeneratorTest::testImagePath with data set #0":4,"OCA\\Files\\Tests\\Command\\DeleteOrphanedFilesTest::testClearFiles":4,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetQuotaInfoUnlimited":4,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetQuotaInfoSpecific":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DeleteTest::testBasicUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DownloadTest::testDownload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DownloadTest::testDownloadWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DownloadTest::testDownloadReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testBasicUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testUploadOverWriteReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testUploadOverWriteWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOutOfOrder":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOutOfOrderReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOutOfOrderWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testBasicUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testUploadOverWriteReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testUploadOverWriteWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOutOfOrder":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOutOfOrderReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOutOfOrderWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testBasicUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testUploadOverWriteReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testUploadOverWriteWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOutOfOrder":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOutOfOrderReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOutOfOrderWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testBasicUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testUploadOverWriteReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testUploadOverWriteWriteLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUpload":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOverWrite":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOutOfOrder":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOutOfOrderReadLocked":4,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOutOfOrderWriteLocked":4,"OCA\\Theming\\Tests\\ImageManagerTest::testCleanup":6,"OCA\\Files\\Tests\\Service\\TagServiceTest::testFavoriteActivity":3},"times":{"Test\\Share20\\ManagerTest::testDeleteNoShareId":0.004,"Test\\Share20\\ManagerTest::testDelete with data set #0":0.001,"Test\\Share20\\ManagerTest::testDelete with data set #1":0,"Test\\Share20\\ManagerTest::testDelete with data set #2":0,"Test\\Share20\\ManagerTest::testDelete with data set #3":0,"Test\\Share20\\ManagerTest::testDeleteLazyShare":0,"Test\\Share20\\ManagerTest::testDeleteNested":0.001,"Test\\Share20\\ManagerTest::testDeleteFromSelf":0,"Test\\Share20\\ManagerTest::testDeleteChildren":0.001,"Test\\Share20\\ManagerTest::testGetShareById":0,"Test\\Share20\\ManagerTest::testGetExpiredShareById":0,"Test\\Share20\\ManagerTest::testVerifyPasswordNullButEnforced":0,"Test\\Share20\\ManagerTest::testVerifyPasswordNotEnforcedGroup":0,"Test\\Share20\\ManagerTest::testVerifyPasswordNull":0,"Test\\Share20\\ManagerTest::testVerifyPasswordHook":0,"Test\\Share20\\ManagerTest::testVerifyPasswordHookFails":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #0":0.001,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #1":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #2":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #3":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #4":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #5":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #6":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #7":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #8":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #9":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #10":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #11":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #12":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #13":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #14":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #15":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #16":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #17":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #18":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #19":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #20":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #21":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #22":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #23":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #24":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #25":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #26":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #27":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #28":0.003,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #29":0.001,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #30":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #31":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #32":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #33":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #34":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #35":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #36":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #37":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #38":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #39":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #40":0,"Test\\Share20\\ManagerTest::testGeneralChecks with data set #41":0,"Test\\Share20\\ManagerTest::testGeneralCheckShareRoot":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalInPast with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalInPast with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalInPast with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotSet with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotSet with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotSet with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotEnabledAndNotSet with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotEnabledAndNotSet with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotEnabledAndNotSet with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotSetNewShare with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotSetNewShare with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceButNotSetNewShare with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceRelaxedDefaultButNotSetNewShare with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceRelaxedDefaultButNotSetNewShare with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceRelaxedDefaultButNotSetNewShare with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceTooFarIntoFuture with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceTooFarIntoFuture with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceTooFarIntoFuture with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceValid with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceValid with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalEnforceValid with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDefault with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDefault with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDefault with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDateNoDefault with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDateNoDefault with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDateNoDefault with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDateDefault with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDateDefault with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalNoDateDefault with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalDefault with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalDefault with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalDefault with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalHookModification with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalHookModification with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalHookModification with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalHookException with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalHookException with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalHookException with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalExistingShareNoDefault with data set #0":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalExistingShareNoDefault with data set #1":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInternalExistingShareNoDefault with data set #2":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateInPast":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateEnforceButNotSet":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateEnforceButNotEnabledAndNotSet":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateEnforceButNotSetNewShare":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateEnforceRelaxedDefaultButNotSetNewShare":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateEnforceTooFarIntoFuture":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateEnforceValid":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateNoDefault":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateNoDateNoDefault":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateNoDateDefault":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateDefault":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateHookModification":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateHookException":0,"Test\\Share20\\ManagerTest::testValidateExpirationDateExistingShareNoDefault":0,"Test\\Share20\\ManagerTest::testUserCreateChecksShareWithGroupMembersOnlyDifferentGroups":0,"Test\\Share20\\ManagerTest::testUserCreateChecksShareWithGroupMembersOnlySharedGroup":0,"Test\\Share20\\ManagerTest::testUserCreateChecksIdenticalShareExists":0.001,"Test\\Share20\\ManagerTest::testUserCreateChecksIdenticalPathSharedViaGroup":0,"Test\\Share20\\ManagerTest::testUserCreateChecksIdenticalPathSharedViaDeletedGroup":0,"Test\\Share20\\ManagerTest::testUserCreateChecksIdenticalPathNotSharedWithUser":0,"Test\\Share20\\ManagerTest::testGroupCreateChecksShareWithGroupMembersGroupSharingNotAllowed":0,"Test\\Share20\\ManagerTest::testGroupCreateChecksShareWithGroupMembersOnlyNotInGroup":0,"Test\\Share20\\ManagerTest::testGroupCreateChecksShareWithGroupMembersOnlyNullGroup":0,"Test\\Share20\\ManagerTest::testGroupCreateChecksShareWithGroupMembersOnlyInGroup":0,"Test\\Share20\\ManagerTest::testGroupCreateChecksPathAlreadySharedWithSameGroup":0,"Test\\Share20\\ManagerTest::testGroupCreateChecksPathAlreadySharedWithDifferentGroup":0,"Test\\Share20\\ManagerTest::testLinkCreateChecksNoLinkSharesAllowed":0,"Test\\Share20\\ManagerTest::testLinkCreateChecksNoPublicUpload":0,"Test\\Share20\\ManagerTest::testLinkCreateChecksPublicUpload":0,"Test\\Share20\\ManagerTest::testLinkCreateChecksReadOnly":0,"Test\\Share20\\ManagerTest::testPathCreateChecksContainsSharedMount":0.002,"Test\\Share20\\ManagerTest::testPathCreateChecksContainsNoSharedMount":0,"Test\\Share20\\ManagerTest::testPathCreateChecksContainsNoFolder":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #0":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #1":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #2":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #3":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #4":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #5":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #6":0,"Test\\Share20\\ManagerTest::testIsSharingDisabledForUser with data set #7":0,"Test\\Share20\\ManagerTest::testCanShare with data set #0":0,"Test\\Share20\\ManagerTest::testCanShare with data set #1":0,"Test\\Share20\\ManagerTest::testCanShare with data set #2":0,"Test\\Share20\\ManagerTest::testCanShare with data set #3":0,"Test\\Share20\\ManagerTest::testCreateShareUser":0.001,"Test\\Share20\\ManagerTest::testCreateShareGroup":0.001,"Test\\Share20\\ManagerTest::testCreateShareLink":0.001,"Test\\Share20\\ManagerTest::testCreateShareMail":0.001,"Test\\Share20\\ManagerTest::testCreateShareHookError":0.001,"Test\\Share20\\ManagerTest::testCreateShareOfIncomingFederatedShare":0.001,"Test\\Share20\\ManagerTest::testGetSharesBy":0,"Test\\Share20\\ManagerTest::testGetSharesByExpiredLinkShares":0,"Test\\Share20\\ManagerTest::testGetShareByToken":0.001,"Test\\Share20\\ManagerTest::testGetShareByTokenRoom":0.001,"Test\\Share20\\ManagerTest::testGetShareByTokenWithException":0.001,"Test\\Share20\\ManagerTest::testGetShareByTokenExpired":0,"Test\\Share20\\ManagerTest::testGetShareByTokenNotExpired":0,"Test\\Share20\\ManagerTest::testGetShareByTokenWithPublicLinksDisabled":0,"Test\\Share20\\ManagerTest::testGetShareByTokenPublicUploadDisabled":0,"Test\\Share20\\ManagerTest::testCheckPasswordNoLinkShare":0,"Test\\Share20\\ManagerTest::testCheckPasswordNoPassword":0,"Test\\Share20\\ManagerTest::testCheckPasswordInvalidPassword":0,"Test\\Share20\\ManagerTest::testCheckPasswordValidPassword":0,"Test\\Share20\\ManagerTest::testCheckPasswordUpdateShare":0,"Test\\Share20\\ManagerTest::testUpdateShareCantChangeShareType":0.001,"Test\\Share20\\ManagerTest::testUpdateShareCantChangeRecipientForGroupShare":0,"Test\\Share20\\ManagerTest::testUpdateShareCantShareWithOwner":0,"Test\\Share20\\ManagerTest::testUpdateShareUser":0.001,"Test\\Share20\\ManagerTest::testUpdateShareGroup":0.001,"Test\\Share20\\ManagerTest::testUpdateShareLink":0.001,"Test\\Share20\\ManagerTest::testUpdateShareLinkEnableSendPasswordByTalkWithNoPassword":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMail":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailEnableSendPasswordByTalk":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailEnableSendPasswordByTalkWithDifferentPassword":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailEnableSendPasswordByTalkWithNoPassword":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailEnableSendPasswordByTalkRemovingPassword":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailEnableSendPasswordByTalkRemovingPasswordWithEmptyString":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailEnableSendPasswordByTalkWithPreviousPassword":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailDisableSendPasswordByTalkWithPreviousPassword":0.001,"Test\\Share20\\ManagerTest::testUpdateShareMailDisableSendPasswordByTalkWithoutChangingPassword":0.001,"Test\\Share20\\ManagerTest::testMoveShareLink":0,"Test\\Share20\\ManagerTest::testMoveShareUserNotRecipient":0,"Test\\Share20\\ManagerTest::testMoveShareUser":0,"Test\\Share20\\ManagerTest::testMoveShareGroupNotRecipient":0,"Test\\Share20\\ManagerTest::testMoveShareGroupNull":0,"Test\\Share20\\ManagerTest::testMoveShareGroup":0,"Test\\Share20\\ManagerTest::testShareProviderExists with data set #0":0.001,"Test\\Share20\\ManagerTest::testShareProviderExists with data set #1":0,"Test\\Share20\\ManagerTest::testGetSharesInFolder":0.003,"Test\\Share20\\ManagerTest::testGetAccessList":0.001,"Test\\Share20\\ManagerTest::testGetAccessListWithCurrentAccess":0.001,"Test\\Share20\\ManagerTest::testGetAllShares":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Full match guest\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Full match user\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Enumeration off guest\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Enumeration off user\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Enumeration guest\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Enumeration user\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Guest phone\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Guest group\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"Guest both\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"User phone but not known\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"User phone known\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"User group but no match\"":0,"Test\\Share20\\ManagerTest::testCurrentUserCanEnumerateTargetUser with data set \"User group with match\"":0,"Test\\Share20\\ManagerTest::testVerifyPasswordNotEnforcedMultipleGroups":0,"Test\\Validator\\ValidatorTest::testEmailConstraint":0.018,"Test\\Validator\\ValidatorTest::testNotBlankConstraintInvalid":0.001,"Test\\Validator\\ValidatorTest::testUrl with data set #0":0.001,"Test\\Validator\\ValidatorTest::testUrl with data set #1":0,"Test\\Validator\\ValidatorTest::testUrl with data set #2":0,"Test\\Validator\\ValidatorTest::testUrl with data set #3":0,"Test\\Validator\\ValidatorTest::testUrlInvalid with data set #0":0,"Test\\Validator\\ValidatorTest::testUrlInvalid with data set #1":0,"Test\\Validator\\ValidatorTest::testLengthValid with data set #0":0.001,"Test\\Validator\\ValidatorTest::testLengthValid with data set #1":0,"Test\\Validator\\ValidatorTest::testLengthInvalid with data set #0":0,"Test\\Validator\\ValidatorTest::testLengthInvalid with data set #1":0,"Test\\Validator\\ValidatorTest::testLengthInvalid with data set #2":0,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #0":0.01,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #1":0,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #2":0,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #3":0,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #4":0,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #5":0,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #6":0,"Test\\Share\\HelperTest::testCalculateExpireDate with data set #7":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #0":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #1":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #2":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #3":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #4":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #5":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #6":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #7":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #8":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #9":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #10":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #11":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #12":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #13":0,"Test\\Share\\HelperTest::testIsSameUserOnSameServer with data set #14":0,"Test\\Share\\SearchResultSorterTest::testSort":0,"Test\\Share\\ShareTest::testGetItemSharedWithUser":0.109,"Test\\Share\\ShareTest::testGetItemSharedWithUserFromGroupShare":0.032,"Test\\Share\\ShareTest::testRemoveProtocolFromUrl with data set #0":0.031,"Test\\Share\\ShareTest::testRemoveProtocolFromUrl with data set #1":0.032,"Test\\Share\\ShareTest::testRemoveProtocolFromUrl with data set #2":0.034,"Test\\Share\\ShareTest::testGroupItems with data set #0":0.034,"Test\\Share\\ShareTest::testGroupItems with data set #1":0.035,"Test\\Share\\ShareTest::testGroupItems with data set #2":0.035,"Test\\Share\\ShareTest::testGroupItems with data set #3":0.036,"Test\\Share20\\DefaultShareProviderTest::testGetShareByIdNotExist":0.017,"Test\\Share20\\DefaultShareProviderTest::testGetShareByIdUserShare":0.003,"Test\\Share20\\DefaultShareProviderTest::testGetShareByIdLazy":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetShareByIdLazy2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetShareByIdGroupShare":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetShareByIdUserGroupShare":0.002,"Test\\Share20\\DefaultShareProviderTest::testGetShareByIdLinkShare":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteSingleShare":0.002,"Test\\Share20\\DefaultShareProviderTest::testDeleteSingleShareLazy":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteGroupShareWithUserGroupShares":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetChildren":0.002,"Test\\Share20\\DefaultShareProviderTest::testCreateUserShare":0.002,"Test\\Share20\\DefaultShareProviderTest::testCreateGroupShare":0.001,"Test\\Share20\\DefaultShareProviderTest::testCreateLinkShare":0.005,"Test\\Share20\\DefaultShareProviderTest::testGetShareByToken":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetShareByTokenNotFound":0,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithUser with data set #0":0.006,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithUser with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithUser with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroup with data set #0":0.002,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroup with data set #1":0.002,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroup with data set #2":0.002,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroupUserModified with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroupUserModified with data set #1":0.002,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroupUserModified with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithUserWithNode with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithUserWithNode with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithUserWithNode with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroupWithNode with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroupWithNode with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithGroupWithNode with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithWithDeletedFile with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithWithDeletedFile with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithWithDeletedFile with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharedWithWithDeletedFile with data set #3":0.002,"Test\\Share20\\DefaultShareProviderTest::testGetSharesBy":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharesNode":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharesReshare":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteFromSelfGroupNoCustomShare":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteFromSelfGroupAlreadyCustomShare":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteFromSelfGroupUserNotInGroup":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteFromSelfGroupDoesNotExist":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteFromSelfUser":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteFromSelfUserNotRecipient":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteFromSelfLink":0.001,"Test\\Share20\\DefaultShareProviderTest::testUpdateUser":0.002,"Test\\Share20\\DefaultShareProviderTest::testUpdateLink":0.001,"Test\\Share20\\DefaultShareProviderTest::testUpdateLinkRemovePassword":0.001,"Test\\Share20\\DefaultShareProviderTest::testUpdateGroupNoSub":0.002,"Test\\Share20\\DefaultShareProviderTest::testUpdateGroupSubShares":0.002,"Test\\Share20\\DefaultShareProviderTest::testMoveUserShare":0.001,"Test\\Share20\\DefaultShareProviderTest::testMoveGroupShare":0.002,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #3":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #4":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #5":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #6":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #7":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #8":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #9":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #10":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUser with data set #11":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUserGroup with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUserGroup with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUserGroup with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testDeleteUserGroup with data set #3":0.001,"Test\\Share20\\DefaultShareProviderTest::testGroupDeleted with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testGroupDeleted with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testGroupDeleted with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGroupDeleted with data set #3":0.001,"Test\\Share20\\DefaultShareProviderTest::testGroupDeleted with data set #4":0.001,"Test\\Share20\\DefaultShareProviderTest::testUserDeletedFromGroup with data set #0":0.001,"Test\\Share20\\DefaultShareProviderTest::testUserDeletedFromGroup with data set #1":0.001,"Test\\Share20\\DefaultShareProviderTest::testUserDeletedFromGroup with data set #2":0.001,"Test\\Share20\\DefaultShareProviderTest::testGetSharesInFolder":0.551,"Test\\Share20\\DefaultShareProviderTest::testGetAccessListNoCurrentAccessRequired":0.885,"Test\\Share20\\DefaultShareProviderTest::testGetAccessListCurrentAccessRequired":0.874,"Test\\Share20\\DefaultShareProviderTest::testGetAllShares":0.001,"Test\\Share20\\LegacyHooksTest::testPreUnshare":0.002,"Test\\Share20\\LegacyHooksTest::testPostUnshare":0,"Test\\Share20\\LegacyHooksTest::testPostUnshareFromSelf":0,"Test\\Share20\\LegacyHooksTest::testPreShare":0,"Test\\Share20\\LegacyHooksTest::testPreShareError":0,"Test\\Share20\\LegacyHooksTest::testPostShare":0,"Test\\Share20\\ShareHelperTest::testGetPathsForAccessList with data set #0":0.001,"Test\\Share20\\ShareHelperTest::testGetPathsForAccessList with data set #1":0,"Test\\Share20\\ShareHelperTest::testGetPathsForAccessList with data set #2":0,"Test\\Share20\\ShareHelperTest::testGetPathsForAccessList with data set #3":0,"Test\\Share20\\ShareHelperTest::testGetPathsForUsers with data set #0":0,"Test\\Share20\\ShareHelperTest::testGetPathsForUsers with data set #1":0,"Test\\Share20\\ShareHelperTest::testGetPathsForRemotes with data set #0":0,"Test\\Share20\\ShareHelperTest::testGetPathsForRemotes with data set #1":0,"Test\\Share20\\ShareHelperTest::testGetMountedPath with data set #0":0,"Test\\Share20\\ShareHelperTest::testGetMountedPath with data set #1":0,"Test\\Share20\\ShareTest::testSetIdInvalid":0,"Test\\Share20\\ShareTest::testSetIdInt":0,"Test\\Share20\\ShareTest::testSetIdString":0,"Test\\Share20\\ShareTest::testSetIdOnce":0,"Test\\Share20\\ShareTest::testSetProviderIdInt":0,"Test\\Share20\\ShareTest::testSetProviderIdString":0,"Test\\Share20\\ShareTest::testSetProviderIdOnce":0,"OCA\\Comments\\Tests\\Unit\\Activity\\ListenerTest::testCommentEvent":0.003,"OCA\\Comments\\Tests\\Unit\\AppInfo\\ApplicationTest::test":0.013,"OCA\\Comments\\Tests\\Unit\\Collaboration\\CommentersSorterTest::testSort with data set #0":0.002,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewGuestRedirect":0,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewSuccess":0,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewInvalidComment":0,"OCA\\Comments\\Tests\\Unit\\Controller\\NotificationsTest::testViewNoFile":0,"OCA\\Comments\\Tests\\Unit\\Notification\\EventHandlerTest::testNotFiles":0,"OCA\\Comments\\Tests\\Unit\\Notification\\EventHandlerTest::testHandled with data set #0":0,"OCA\\Comments\\Tests\\Unit\\Notification\\EventHandlerTest::testHandled with data set #1":0,"OCA\\Comments\\Tests\\Unit\\Notification\\EventHandlerTest::testHandled with data set #2":0,"OCA\\Comments\\Tests\\Unit\\Notification\\EventHandlerTest::testHandled with data set #3":0,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluate with data set #0":0.002,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluate with data set #1":0,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluate with data set #2":0,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluate with data set #3":0.001,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluateNoMentions with data set #0":0,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluateNoMentions with data set #1":0,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluateNoMentions with data set #2":0,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluateNoMentions with data set #3":0,"OCA\\Comments\\Tests\\Unit\\Notification\\ListenerTest::testEvaluateUserDoesNotExist":0,"OCA\\Comments\\Tests\\Unit\\Notification\\NotifierTest::testPrepareSuccess":0.001,"OCA\\Comments\\Tests\\Unit\\Notification\\NotifierTest::testPrepareSuccessDeletedUser":0.001,"OCA\\Comments\\Tests\\Unit\\Notification\\NotifierTest::testPrepareDifferentApp":0,"OCA\\Comments\\Tests\\Unit\\Notification\\NotifierTest::testPrepareNotFound":0,"OCA\\Comments\\Tests\\Unit\\Notification\\NotifierTest::testPrepareDifferentSubject":0,"OCA\\Comments\\Tests\\Unit\\Notification\\NotifierTest::testPrepareNotFiles":0,"OCA\\Comments\\Tests\\Unit\\Notification\\NotifierTest::testPrepareUnresolvableFileID":0.001,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #0":0.028,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #4":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #5":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #6":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #7":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #8":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #9":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #10":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #11":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #12":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #13":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #14":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #15":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #16":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #17":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #18":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #19":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #20":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #21":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #22":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #23":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #24":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #25":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #26":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #27":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #28":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #29":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #30":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #31":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #32":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #33":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #34":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #35":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #36":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #37":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #38":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #39":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #40":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #41":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #42":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #43":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #44":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #45":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #46":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #47":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #48":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #49":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #50":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #51":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #52":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #53":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #54":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #55":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #56":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #57":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #58":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #59":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #60":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #61":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #62":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #63":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #64":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #65":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #66":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #67":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #68":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #69":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #70":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #71":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #72":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #73":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #74":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #75":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #76":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #77":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #78":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #79":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #80":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #81":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #82":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #83":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #84":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #85":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #86":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #87":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #88":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #89":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #90":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #91":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #92":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #93":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #94":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #95":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #96":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #97":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #98":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #99":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #100":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #101":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #102":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #103":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #104":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #105":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #106":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #107":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #108":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #109":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #110":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #111":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #112":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #113":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #114":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #115":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #116":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #117":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #118":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #119":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #120":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #121":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #122":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #123":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #124":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #125":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #126":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #127":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #128":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #129":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #130":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #131":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #132":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #133":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #134":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #135":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #136":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #137":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #138":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #139":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #140":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #141":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #142":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #143":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #144":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #145":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #146":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #147":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #148":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #149":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #150":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #151":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #152":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #153":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #154":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #155":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #156":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #157":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #158":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #159":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #160":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #161":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #162":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #163":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #164":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #165":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #166":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #167":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #168":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #169":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #170":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #171":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #172":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #173":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #174":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #175":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #176":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #177":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #178":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #179":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #180":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #181":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #182":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #183":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #184":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #185":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #186":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #187":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #188":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #189":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #190":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #191":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #192":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #193":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #194":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #195":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #196":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #197":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #198":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #199":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #200":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #201":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #202":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #203":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #204":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #205":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #206":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #207":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #208":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #209":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #210":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #211":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #212":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #213":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #214":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemote with data set #215":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #0":0.001,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #4":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #5":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #6":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testSplitUserRemoteError with data set #7":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #4":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #5":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #6":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #7":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #8":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #9":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #10":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #11":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #12":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #13":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testCompareAddresses with data set #14":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testRemoveProtocolFromUrl with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testRemoveProtocolFromUrl with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testRemoveProtocolFromUrl with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testUrlContainProtocol with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testUrlContainProtocol with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testUrlContainProtocol with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\AddressHandlerTest::testUrlContainProtocol with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #0":0.015,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #4":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #5":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #6":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #7":0,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #8":0.001,"OCA\\FederatedFileSharing\\Tests\\Controller\\MountPublicLinkControllerTest::testCreateFederatedShare with data set #9":0,"OCA\\FederatedFileSharing\\Tests\\RequestHandlerControllerTest::testCreateShare":0.003,"OCA\\FederatedFileSharing\\Tests\\RequestHandlerControllerTest::testDeclineShare":0,"OCA\\FederatedFileSharing\\Tests\\RequestHandlerControllerTest::testAcceptShare":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testCreate with data set #0":0.002,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testCreate with data set #1":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testCreateCouldNotFindServer":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testCreateException":0.002,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testCreateShareWithSelf":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testCreateAlreadyShared":0.002,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testUpdate with data set #0":0.002,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testUpdate with data set #1":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testGetSharedBy":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testGetSharedByWithNode":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testGetSharedByWithReshares":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testGetSharedByWithLimit":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testDeleteUser with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testDeleteUser with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testDeleteUser with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testDeleteUser with data set #3":0.001,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsOutgoingServer2serverShareEnabled with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsOutgoingServer2serverShareEnabled with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsOutgoingServer2serverShareEnabled with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsOutgoingServer2serverShareEnabled with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsIncomingServer2serverShareEnabled with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsIncomingServer2serverShareEnabled with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsIncomingServer2serverShareEnabled with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsIncomingServer2serverShareEnabled with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerQueriesEnabled with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerQueriesEnabled with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerQueriesEnabled with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerQueriesEnabled with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerUploadEnabled with data set #0":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerUploadEnabled with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerUploadEnabled with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testIsLookupServerUploadEnabled with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testGetSharesInFolder":0.025,"OCA\\FederatedFileSharing\\Tests\\FederatedShareProviderTest::testGetAccessList":0.011,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #0":0.004,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #1":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #2":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #3":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #4":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #5":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #6":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #7":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #8":0,"OCA\\FederatedFileSharing\\Tests\\NotificationsTest::testSendUpdateToRemote with data set #9":0,"OCA\\FederatedFileSharing\\Tests\\Settings\\AdminTest::testGetForm with data set #0":0.005,"OCA\\FederatedFileSharing\\Tests\\Settings\\AdminTest::testGetForm with data set #1":0.001,"OCA\\FederatedFileSharing\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\FederatedFileSharing\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\FederatedFileSharing\\Tests\\TokenHandlerTest::testGenerateToken":0,"Test\\APITest::testIsV2 with data set #0":0.001,"Test\\APITest::testIsV2 with data set #1":0,"Test\\APITest::testIsV2 with data set #2":0,"Test\\APITest::testIsV2 with data set #3":0,"Test\\Accounts\\AccountManagerTest::testUpdateUser with data set #0":0.002,"Test\\Accounts\\AccountManagerTest::testUpdateUser with data set #1":0,"Test\\Accounts\\AccountManagerTest::testAddMissingDefaults":0,"Test\\Accounts\\AccountManagerTest::testGetAccount":0.003,"Test\\Accounts\\AccountManagerTest::testParsePhoneNumber with data set #0":0.015,"Test\\Accounts\\AccountManagerTest::testParsePhoneNumber with data set #1":0,"Test\\Accounts\\AccountManagerTest::testParsePhoneNumber with data set #2":0,"Test\\Accounts\\AccountManagerTest::testParseWebsite with data set #0":0,"Test\\Accounts\\AccountManagerTest::testParseWebsite with data set #1":0,"Test\\Accounts\\AccountManagerTest::testParseWebsite with data set #2":0,"Test\\Accounts\\AccountManagerTest::testParseWebsite with data set #3":0,"Test\\Accounts\\AccountManagerTest::testParseWebsite with data set #4":0,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #0":0.007,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #1":0.007,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #2":0.006,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #3":0.006,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #4":0.006,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #5":0.006,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #6":0.005,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #7":0.005,"Test\\Accounts\\AccountManagerTest::testSearchUsers with data set #8":0.006,"Test\\Accounts\\AccountManagerTest::testCheckEmailVerification with data set #0":0.002,"Test\\Accounts\\AccountManagerTest::testCheckEmailVerification with data set #1":0.002,"Test\\Accounts\\AccountManagerTest::testCheckEmailVerification with data set #2":0.001,"Test\\Accounts\\AccountManagerTest::testCheckEmailVerification with data set #3":0.002,"Test\\Accounts\\AccountManagerTest::testCheckEmailVerification with data set #4":0.002,"Test\\Accounts\\AccountManagerTest::testCheckEmailVerification with data set #5":0.001,"lib\\Accounts\\AccountPropertyCollectionTest::testSetAndGetProperties":0.002,"lib\\Accounts\\AccountPropertyCollectionTest::testSetPropertiesMixedInvalid":0,"lib\\Accounts\\AccountPropertyCollectionTest::testAddProperty":0.001,"lib\\Accounts\\AccountPropertyCollectionTest::testAddPropertyInvalid":0,"lib\\Accounts\\AccountPropertyCollectionTest::testRemoveProperty":0,"lib\\Accounts\\AccountPropertyCollectionTest::testRemovePropertyNotFound":0,"lib\\Accounts\\AccountPropertyCollectionTest::testRemovePropertyByValue":0,"lib\\Accounts\\AccountPropertyCollectionTest::testRemovePropertyByValueNotFound":0,"Test\\Accounts\\AccountPropertyTest::testConstructor":0,"Test\\Accounts\\AccountPropertyTest::testSetValue":0,"Test\\Accounts\\AccountPropertyTest::testSetScope":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #0":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #1":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #2":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #3":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #4":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #5":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #6":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #7":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #8":0,"Test\\Accounts\\AccountPropertyTest::testSetScopeMapping with data set #9":0,"Test\\Accounts\\AccountPropertyTest::testSetVerified":0,"Test\\Accounts\\AccountPropertyTest::testSetVerificationData":0,"Test\\Accounts\\AccountPropertyTest::testJsonSerialize":0,"Test\\Accounts\\AccountTest::testConstructor":0,"Test\\Accounts\\AccountTest::testSetProperty":0,"Test\\Accounts\\AccountTest::testGetAndGetAllProperties":0,"Test\\Accounts\\AccountTest::testSetAllPropertiesFromJson":0.001,"Test\\Accounts\\AccountTest::testGetFilteredProperties":0,"Test\\Accounts\\AccountTest::testJsonSerialize":0,"Test\\Accounts\\HooksTest::testChangeUserHook with data set #0":0.001,"Test\\Accounts\\HooksTest::testChangeUserHook with data set #1":0.001,"Test\\Accounts\\HooksTest::testChangeUserHook with data set #2":0.001,"Test\\Accounts\\HooksTest::testChangeUserHook with data set #3":0,"Test\\Activity\\ManagerTest::testGetConsumers":0,"Test\\Activity\\ManagerTest::testGetConsumersInvalidConsumer":0,"Test\\Activity\\ManagerTest::testGetUserFromTokenThrowInvalidToken with data set #0":0,"Test\\Activity\\ManagerTest::testGetUserFromTokenThrowInvalidToken with data set #1":0,"Test\\Activity\\ManagerTest::testGetUserFromTokenThrowInvalidToken with data set #2":0,"Test\\Activity\\ManagerTest::testGetUserFromTokenThrowInvalidToken with data set #3":0,"Test\\Activity\\ManagerTest::testGetUserFromTokenThrowInvalidToken with data set #4":0,"Test\\Activity\\ManagerTest::testGetUserFromTokenThrowInvalidToken with data set #5":0,"Test\\Activity\\ManagerTest::testGetUserFromToken with data set #0":0,"Test\\Activity\\ManagerTest::testGetUserFromToken with data set #1":0,"Test\\Activity\\ManagerTest::testGetUserFromToken with data set #2":0,"Test\\Activity\\ManagerTest::testPublishExceptionNoApp":0.001,"Test\\Activity\\ManagerTest::testPublishExceptionNoType":0,"Test\\Activity\\ManagerTest::testPublishExceptionNoAffectedUser":0,"Test\\Activity\\ManagerTest::testPublishExceptionNoSubject":0,"Test\\Activity\\ManagerTest::testPublish with data set #0":0.001,"Test\\Activity\\ManagerTest::testPublish with data set #1":0,"Test\\Activity\\ManagerTest::testPublishAllManually":0,"Test\\AllConfigTest::testDeleteUserValue":0.001,"Test\\AllConfigTest::testSetUserValue":0.001,"Test\\AllConfigTest::testSetUserValueWithPreCondition":0,"Test\\AllConfigTest::testSetUserValueUnexpectedValue with data set #0":0,"Test\\AllConfigTest::testSetUserValueUnexpectedValue with data set #1":0,"Test\\AllConfigTest::testSetUserValueUnexpectedValue with data set #2":0,"Test\\AllConfigTest::testSetUserValueUnexpectedValue with data set #3":0,"Test\\AllConfigTest::testSetUserValueWithPreConditionFailure":0,"Test\\AllConfigTest::testSetUserValueUnchanged":0,"Test\\AllConfigTest::testGetUserValue":0,"Test\\AllConfigTest::testGetUserKeys":0.001,"Test\\AllConfigTest::testGetUserValueDefault":0,"Test\\AllConfigTest::testGetUserValueForUsers":0.001,"Test\\AllConfigTest::testDeleteAllUserValues":0,"Test\\AllConfigTest::testDeleteAppFromAllUsers":0,"Test\\AllConfigTest::testGetUsersForUserValue":0,"Test\\AllConfigTest::testGetUsersForUserValueCaseInsensitive":0.001,"Test\\App\\AppManagerTest::testEnableApp":0.001,"Test\\App\\AppManagerTest::testDisableApp":0.001,"Test\\App\\AppManagerTest::testNotEnableIfNotInstalled":0,"Test\\App\\AppManagerTest::testEnableAppForGroups":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsAllowedTypes with data set #0":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsAllowedTypes with data set #1":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsAllowedTypes with data set #2":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsForbiddenTypes with data set #0":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsForbiddenTypes with data set #1":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsForbiddenTypes with data set #2":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsForbiddenTypes with data set #3":0,"Test\\App\\AppManagerTest::testEnableAppForGroupsForbiddenTypes with data set #4":0,"Test\\App\\AppManagerTest::testIsInstalledEnabled":0,"Test\\App\\AppManagerTest::testIsInstalledDisabled":0,"Test\\App\\AppManagerTest::testIsInstalledEnabledForGroups":0,"Test\\App\\AppManagerTest::testIsEnabledForUserEnabled":0,"Test\\App\\AppManagerTest::testIsEnabledForUserDisabled":0,"Test\\App\\AppManagerTest::testGetAppPath":0,"Test\\App\\AppManagerTest::testGetAppPathSymlink":0.001,"Test\\App\\AppManagerTest::testGetAppPathFail":0,"Test\\App\\AppManagerTest::testIsEnabledForUserEnabledForGroup":0,"Test\\App\\AppManagerTest::testIsEnabledForUserDisabledForGroup":0,"Test\\App\\AppManagerTest::testIsEnabledForUserLoggedOut":0,"Test\\App\\AppManagerTest::testIsEnabledForUserLoggedIn":0,"Test\\App\\AppManagerTest::testGetInstalledApps":0,"Test\\App\\AppManagerTest::testGetAppsForUser":0,"Test\\App\\AppManagerTest::testGetAppsNeedingUpgrade":0,"Test\\App\\AppManagerTest::testGetIncompatibleApps":0,"Test\\App\\AppManagerTest::testGetEnabledAppsForGroup":0,"Test\\App\\AppManagerTest::testGetAppRestriction":0,"Test\\App\\AppStore\\Bundles\\BundleFetcherTest::testGetBundles":0.001,"Test\\App\\AppStore\\Bundles\\BundleFetcherTest::testGetDefaultInstallationBundle":0,"Test\\App\\AppStore\\Bundles\\BundleFetcherTest::testGetBundleByIdentifier":0,"Test\\App\\AppStore\\Bundles\\BundleFetcherTest::testGetBundleByIdentifierWithException":0,"Test\\App\\AppStore\\Bundles\\CoreBundleTest::testGetIdentifier":0,"Test\\App\\AppStore\\Bundles\\CoreBundleTest::testGetName":0,"Test\\App\\AppStore\\Bundles\\CoreBundleTest::testGetAppIdentifiers":0,"Test\\App\\AppStore\\Bundles\\EducationBundleTest::testGetIdentifier":0,"Test\\App\\AppStore\\Bundles\\EducationBundleTest::testGetName":0,"Test\\App\\AppStore\\Bundles\\EducationBundleTest::testGetAppIdentifiers":0,"Test\\App\\AppStore\\Bundles\\EnterpriseBundleTest::testGetIdentifier":0,"Test\\App\\AppStore\\Bundles\\EnterpriseBundleTest::testGetName":0,"Test\\App\\AppStore\\Bundles\\EnterpriseBundleTest::testGetAppIdentifiers":0,"Test\\App\\AppStore\\Bundles\\GroupwareBundleTest::testGetIdentifier":0,"Test\\App\\AppStore\\Bundles\\GroupwareBundleTest::testGetName":0,"Test\\App\\AppStore\\Bundles\\GroupwareBundleTest::testGetAppIdentifiers":0,"Test\\App\\AppStore\\Bundles\\SocialSharingBundleTest::testGetIdentifier":0,"Test\\App\\AppStore\\Bundles\\SocialSharingBundleTest::testGetName":0,"Test\\App\\AppStore\\Bundles\\SocialSharingBundleTest::testGetAppIdentifiers":0,"Test\\App\\AppStore\\Fetcher\\AppFetcherTest::testGetWithFilter":0.005,"Test\\App\\AppStore\\Fetcher\\AppFetcherTest::testAppstoreDisabled":0,"Test\\App\\AppStore\\Fetcher\\AppFetcherTest::testNoInternet":0,"Test\\App\\AppStore\\Fetcher\\AppFetcherTest::testSetVersion":0.003,"Test\\App\\AppStore\\Fetcher\\AppFetcherTest::testGetAppsAllowlist":0.002,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testAppstoreDisabled":0.001,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testNoInternet":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetWithAlreadyExistingFileAndUpToDateTimestampAndVersion":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetWithNotExistingFileAndUpToDateTimestampAndVersion":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetWithAlreadyExistingFileAndOutdatedTimestamp":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetWithAlreadyExistingFileAndNoVersion":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetWithAlreadyExistingFileAndOutdatedVersion":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetWithExceptionInClient":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetMatchingETag":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testGetNoMatchingETag":0,"Test\\App\\AppStore\\Fetcher\\CategoryFetcherTest::testFetchAfterUpgradeNoETag":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersion with data set #0":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersion with data set #1":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersion with data set #2":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersion with data set #3":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersion with data set #4":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersion with data set #5":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersion with data set #6":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersionException":0,"Test\\App\\AppStore\\Version\\VersionParserTest::testGetVersionExceptionWithMultiple":0,"Test\\App\\AppStore\\Version\\VersionTest::testGetMinimumVersion":0,"Test\\App\\AppStore\\Version\\VersionTest::testGetMaximumVersion":0,"Test\\App\\CompareVersionTest::testComparison with data set #0":0,"Test\\App\\CompareVersionTest::testComparison with data set #1":0,"Test\\App\\CompareVersionTest::testComparison with data set #2":0,"Test\\App\\CompareVersionTest::testComparison with data set #3":0,"Test\\App\\CompareVersionTest::testComparison with data set #4":0,"Test\\App\\CompareVersionTest::testComparison with data set #5":0,"Test\\App\\CompareVersionTest::testComparison with data set #6":0,"Test\\App\\CompareVersionTest::testComparison with data set #7":0,"Test\\App\\CompareVersionTest::testComparison with data set #8":0,"Test\\App\\CompareVersionTest::testComparison with data set #9":0,"Test\\App\\CompareVersionTest::testComparison with data set #10":0,"Test\\App\\CompareVersionTest::testComparison with data set #11":0,"Test\\App\\CompareVersionTest::testComparison with data set #12":0,"Test\\App\\CompareVersionTest::testComparison with data set #13":0,"Test\\App\\CompareVersionTest::testComparison with data set #14":0,"Test\\App\\CompareVersionTest::testComparison with data set #15":0,"Test\\App\\CompareVersionTest::testComparison with data set #16":0,"Test\\App\\CompareVersionTest::testComparison with data set #17":0,"Test\\App\\CompareVersionTest::testComparison with data set #18":0,"Test\\App\\CompareVersionTest::testComparison with data set #19":0,"Test\\App\\CompareVersionTest::testComparison with data set #20":0,"Test\\App\\CompareVersionTest::testComparison with data set #21":0,"Test\\App\\CompareVersionTest::testInvalidServerVersion":0,"Test\\App\\CompareVersionTest::testInvalidRequiredVersion":0,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #0":0.001,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #1":0,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #2":0,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #3":0,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #4":0,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #5":0,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #6":0,"Test\\App\\DependencyAnalyzerTest::testPhpVersion with data set #7":0,"Test\\App\\DependencyAnalyzerTest::testDatabases with data set #0":0,"Test\\App\\DependencyAnalyzerTest::testDatabases with data set #1":0,"Test\\App\\DependencyAnalyzerTest::testDatabases with data set #2":0,"Test\\App\\DependencyAnalyzerTest::testDatabases with data set #3":0,"Test\\App\\DependencyAnalyzerTest::testCommand with data set #0":0,"Test\\App\\DependencyAnalyzerTest::testCommand with data set #1":0,"Test\\App\\DependencyAnalyzerTest::testCommand with data set #2":0,"Test\\App\\DependencyAnalyzerTest::testCommand with data set #3":0,"Test\\App\\DependencyAnalyzerTest::testCommand with data set #4":0,"Test\\App\\DependencyAnalyzerTest::testCommand with data set #5":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #0":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #1":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #2":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #3":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #4":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #5":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #6":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #7":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #8":0,"Test\\App\\DependencyAnalyzerTest::testLibs with data set #9":0,"Test\\App\\DependencyAnalyzerTest::testOS with data set #0":0,"Test\\App\\DependencyAnalyzerTest::testOS with data set #1":0,"Test\\App\\DependencyAnalyzerTest::testOS with data set #2":0,"Test\\App\\DependencyAnalyzerTest::testOS with data set #3":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #0":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #1":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #2":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #3":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #4":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #5":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #6":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #7":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #8":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #9":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #10":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #11":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #12":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #13":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #14":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #15":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #16":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #17":0,"Test\\App\\DependencyAnalyzerTest::testOC with data set #18":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithoutCache with data set #0":0.001,"Test\\App\\InfoParserTest::testParsingValidXmlWithoutCache with data set #1":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithoutCache with data set #2":0.001,"Test\\App\\InfoParserTest::testParsingValidXmlWithoutCache with data set #3":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithoutCache with data set #4":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithoutCache with data set #5":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithCache with data set #0":0.001,"Test\\App\\InfoParserTest::testParsingValidXmlWithCache with data set #1":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithCache with data set #2":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithCache with data set #3":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithCache with data set #4":0,"Test\\App\\InfoParserTest::testParsingValidXmlWithCache with data set #5":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"none\"":0.001,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"none\/2\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses state\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"CI parsing\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"delimiters\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"RC uppercase\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"patch replace\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"forces w.x.y.z\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"forces w.x.y.z\/2\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses long\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses long\/2\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses long\/semver\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"expand shorthand\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"expand shorthand2\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"strips leading v\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"strips v\/datetime\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses dates y-m\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses dates w\/ .\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses dates w\/ -\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses numbers\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses dates y.m.Y\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses datetime\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses dt+number\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses dt+patch\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses master\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses trunk\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses arbitrary\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses arbitrary2\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"parses arbitrary3\"":0,"Test\\App\\PlatformRepositoryTest::testVersion with data set \"ignores aliases\"":0,"Test\\AppConfigTest::testGetApps":0.005,"Test\\AppConfigTest::testGetKeys":0.006,"Test\\AppConfigTest::testGetValue":0.006,"Test\\AppConfigTest::testHasKey":0.006,"Test\\AppConfigTest::testSetValueUpdate":0.006,"Test\\AppConfigTest::testSetValueInsert":0.005,"Test\\AppConfigTest::testDeleteKey":0.005,"Test\\AppConfigTest::testDeleteApp":0.005,"Test\\AppConfigTest::testGetValuesNotAllowed":0.005,"Test\\AppConfigTest::testGetValues":0.005,"Test\\AppConfigTest::testGetFilteredValues":0.005,"Test\\AppConfigTest::testSettingConfigParallel":0.006,"Test\\AppFramework\\AppTest::testControllerNameAndMethodAreBeingPassed":0.007,"Test\\AppFramework\\AppTest::testBuildAppNamespace":0,"Test\\AppFramework\\AppTest::testBuildAppNamespaceCore":0,"Test\\AppFramework\\AppTest::testBuildAppNamespaceInfoXml":0.001,"Test\\AppFramework\\AppTest::testOutputIsPrinted":0,"Test\\AppFramework\\AppTest::testNoOutput with data set #0":0.001,"Test\\AppFramework\\AppTest::testNoOutput with data set #1":0,"Test\\AppFramework\\AppTest::testCallbackIsCalled":0.001,"Test\\AppFramework\\AppTest::testCoreApp":0.001,"Test\\AppFramework\\AppTest::testSettingsApp":0.001,"Test\\AppFramework\\AppTest::testApp":0.001,"lib\\AppFramework\\Bootstrap\\BootContextTest::testGetAppContainer":0.001,"lib\\AppFramework\\Bootstrap\\BootContextTest::testGetServerContainer":0.003,"lib\\AppFramework\\Bootstrap\\CoordinatorTest::testBootAppNotLoadable":0.001,"lib\\AppFramework\\Bootstrap\\CoordinatorTest::testBootAppNotBootable":0.001,"lib\\AppFramework\\Bootstrap\\CoordinatorTest::testBootApp":0,"lib\\AppFramework\\Bootstrap\\FunctionInjectorTest::testInjectFnNotRegistered":0,"lib\\AppFramework\\Bootstrap\\FunctionInjectorTest::testInjectFnNotRegisteredButNullable":0,"lib\\AppFramework\\Bootstrap\\FunctionInjectorTest::testInjectFnByType":0,"lib\\AppFramework\\Bootstrap\\FunctionInjectorTest::testInjectFnByName":0,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterCapability":0.001,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterEventListener":0,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterService with data set #0":0,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterService with data set #1":0,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterServiceAlias":0,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterParameter":0.001,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterMiddleware":0,"lib\\AppFramework\\Bootstrap\\RegistrationContextTest::testRegisterUserMigrator":0,"Test\\AppFramework\\Controller\\ApiControllerTest::testCors":0,"Test\\AppFramework\\Controller\\AuthPublicShareControllerTest::testShowAuthenticate":0.002,"Test\\AppFramework\\Controller\\AuthPublicShareControllerTest::testAuthenticateAuthenticated":0,"Test\\AppFramework\\Controller\\AuthPublicShareControllerTest::testAuthenticateInvalidPassword":0.001,"Test\\AppFramework\\Controller\\AuthPublicShareControllerTest::testAuthenticateValidPassword":0,"Test\\AppFramework\\Controller\\ControllerTest::testFormatResonseInvalidFormat":0,"Test\\AppFramework\\Controller\\ControllerTest::testFormat":0,"Test\\AppFramework\\Controller\\ControllerTest::testFormatDataResponseJSON":0,"Test\\AppFramework\\Controller\\ControllerTest::testCustomFormatter":0,"Test\\AppFramework\\Controller\\ControllerTest::testDefaultResponderToJSON":0,"Test\\AppFramework\\Controller\\ControllerTest::testResponderAcceptHeaderParsed":0,"Test\\AppFramework\\Controller\\ControllerTest::testResponderAcceptHeaderParsedUpperCase":0,"Test\\AppFramework\\Controller\\OCSControllerTest::testCors":0,"Test\\AppFramework\\Controller\\OCSControllerTest::testXML":0.001,"Test\\AppFramework\\Controller\\OCSControllerTest::testJSON":0,"Test\\AppFramework\\Controller\\OCSControllerTest::testXMLV2":0,"Test\\AppFramework\\Controller\\OCSControllerTest::testJSONV2":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testGetToken":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #0":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #1":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #2":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #3":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #4":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #5":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #6":0,"Test\\AppFramework\\Controller\\PublicShareControllerTest::testIsAuthenticatedNotPasswordProtected with data set #7":0,"Test\\AppFramework\\Db\\EntityTest::testResetUpdatedFields":0,"Test\\AppFramework\\Db\\EntityTest::testFromRow":0,"Test\\AppFramework\\Db\\EntityTest::testGetSetId":0,"Test\\AppFramework\\Db\\EntityTest::testColumnToPropertyNoReplacement":0,"Test\\AppFramework\\Db\\EntityTest::testColumnToProperty":0,"Test\\AppFramework\\Db\\EntityTest::testPropertyToColumnNoReplacement":0,"Test\\AppFramework\\Db\\EntityTest::testSetterMarksFieldUpdated":0,"Test\\AppFramework\\Db\\EntityTest::testCallShouldOnlyWorkForGetterSetter":0,"Test\\AppFramework\\Db\\EntityTest::testGetterShouldFailIfAttributeNotDefined":0,"Test\\AppFramework\\Db\\EntityTest::testSetterShouldFailIfAttributeNotDefined":0,"Test\\AppFramework\\Db\\EntityTest::testFromRowShouldNotAssignEmptyArray":0,"Test\\AppFramework\\Db\\EntityTest::testIdGetsConvertedToInt":0,"Test\\AppFramework\\Db\\EntityTest::testSetType":0,"Test\\AppFramework\\Db\\EntityTest::testFromParams":0,"Test\\AppFramework\\Db\\EntityTest::testSlugify":0,"Test\\AppFramework\\Db\\EntityTest::testSetterCasts":0,"Test\\AppFramework\\Db\\EntityTest::testSetterDoesNotCastOnNull":0,"Test\\AppFramework\\Db\\EntityTest::testGetFieldTypes":0,"Test\\AppFramework\\Db\\EntityTest::testGetItInt":0,"Test\\AppFramework\\Db\\EntityTest::testFieldsNotMarkedUpdatedIfNothingChanges":0,"Test\\AppFramework\\Db\\EntityTest::testIsGetter":0,"Test\\AppFramework\\Db\\EntityTest::testIsGetterShoudFailForOtherType":0,"Test\\AppFramework\\Db\\MapperTest::testMapperShouldSetTableName":0.002,"Test\\AppFramework\\Db\\MapperTest::testFindQuery":0,"Test\\AppFramework\\Db\\MapperTest::testFindEntity":0,"Test\\AppFramework\\Db\\MapperTest::testFindNotFound":0,"Test\\AppFramework\\Db\\MapperTest::testFindEntityNotFound":0,"Test\\AppFramework\\Db\\MapperTest::testFindMultiple":0,"Test\\AppFramework\\Db\\MapperTest::testFindEntityMultiple":0,"Test\\AppFramework\\Db\\MapperTest::testDelete":0,"Test\\AppFramework\\Db\\MapperTest::testCreate":0,"Test\\AppFramework\\Db\\MapperTest::testCreateShouldReturnItemWithCorrectInsertId":0,"Test\\AppFramework\\Db\\MapperTest::testAssocParameters":0,"Test\\AppFramework\\Db\\MapperTest::testUpdate":0,"Test\\AppFramework\\Db\\MapperTest::testUpdateNoId":0,"Test\\AppFramework\\Db\\MapperTest::testUpdateNothingChangedNoQuery":0,"Test\\AppFramework\\Db\\MapperTest::testMapRowToEntity":0,"Test\\AppFramework\\Db\\MapperTest::testFindEntities":0,"Test\\AppFramework\\Db\\MapperTest::testFindEntitiesNotFound":0,"Test\\AppFramework\\Db\\MapperTest::testFindEntitiesMultiple":0,"Test\\AppFramework\\Db\\QBMapperTest::testInsertEntityParameterTypeMapping":0.003,"Test\\AppFramework\\Db\\QBMapperTest::testUpdateEntityParameterTypeMapping":0.001,"Test\\AppFramework\\Db\\QBMapperTest::testGetParameterTypeForProperty":0,"lib\\AppFramework\\Db\\TransactionalTest::testAtomicRollback":0.002,"lib\\AppFramework\\Db\\TransactionalTest::testAtomicCommit":0,"Test\\AppFramework\\DependencyInjection\\DIContainerTest::testProvidesRequest":0.001,"Test\\AppFramework\\DependencyInjection\\DIContainerTest::testProvidesMiddlewareDispatcher":0,"Test\\AppFramework\\DependencyInjection\\DIContainerTest::testProvidesAppName":0,"Test\\AppFramework\\DependencyInjection\\DIContainerTest::testAppNameIsSetCorrectly":0,"Test\\AppFramework\\DependencyInjection\\DIContainerTest::testMiddlewareDispatcherIncludesSecurityMiddleware":0.012,"Test\\AppFramework\\DependencyInjection\\DIContainerTest::testInvalidAppClass":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDefault":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyScriptDomainValid":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyScriptDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowScriptDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowScriptDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowScriptDomainMultipleStacked":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyScriptAllowInline":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyScriptAllowInlineWithDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyScriptDisallowInlineAndEval":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyStyleDomainValid":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyStyleDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowStyleDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowStyleDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowStyleDomainMultipleStacked":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyStyleAllowInline":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyStyleAllowInlineWithDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyStyleDisallowInline":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyImageDomainValid":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyImageDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowImageDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowImageDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowImageDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyFontDomainValid":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyFontDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFontDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFontDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFontDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyConnectDomainValid":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyConnectDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowConnectDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowConnectDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowConnectDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyMediaDomainValid":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyMediaDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowMediaDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowMediaDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowMediaDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyObjectDomainValid":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyObjectDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowObjectDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowObjectDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowObjectDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetAllowedFrameDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyFrameDomainValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFrameDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFrameDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFrameDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetAllowedChildSrcDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyChildSrcValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowChildSrcDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowChildSrcDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowChildSrcDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetAllowedFrameAncestorDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyFrameAncestorValidMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFrameAncestorDomain":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFrameAncestorDomainMultiple":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyDisallowFrameAncestorDomainMultipleStakes":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyUnsafeEval":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyNonce":0,"Test\\AppFramework\\Http\\ContentSecurityPolicyTest::testGetPolicyNonceStrictDynamic":0,"Test\\AppFramework\\Http\\DataResponseTest::testSetData":0,"Test\\AppFramework\\Http\\DataResponseTest::testConstructorAllowsToSetData":0,"Test\\AppFramework\\Http\\DataResponseTest::testConstructorAllowsToSetHeaders":0,"Test\\AppFramework\\Http\\DataResponseTest::testChainability":0,"Test\\AppFramework\\Http\\DispatcherTest::testDispatcherReturnsArrayWith2Entries":0.004,"Test\\AppFramework\\Http\\DispatcherTest::testHeadersAndOutputAreReturned":0,"Test\\AppFramework\\Http\\DispatcherTest::testExceptionCallsAfterException":0,"Test\\AppFramework\\Http\\DispatcherTest::testExceptionThrowsIfCanNotBeHandledByAfterException":0,"Test\\AppFramework\\Http\\DispatcherTest::testControllerParametersInjected":0,"Test\\AppFramework\\Http\\DispatcherTest::testControllerParametersInjectedDefaultOverwritten":0,"Test\\AppFramework\\Http\\DispatcherTest::testResponseTransformedByUrlFormat":0,"Test\\AppFramework\\Http\\DispatcherTest::testResponseTransformsDataResponse":0,"Test\\AppFramework\\Http\\DispatcherTest::testResponseTransformedByAcceptHeader":0,"Test\\AppFramework\\Http\\DispatcherTest::testResponsePrimarilyTransformedByParameterFormat":0,"Test\\AppFramework\\Http\\DownloadResponseTest::testHeaders":0,"Test\\AppFramework\\Http\\DownloadResponseTest::testFilenameEncoding with data set #0":0,"Test\\AppFramework\\Http\\DownloadResponseTest::testFilenameEncoding with data set #1":0,"Test\\AppFramework\\Http\\DownloadResponseTest::testFilenameEncoding with data set #2":0,"Test\\AppFramework\\Http\\DownloadResponseTest::testFilenameEncoding with data set #3":0,"Test\\AppFramework\\Http\\DownloadResponseTest::testFilenameEncoding with data set #4":0,"Test\\AppFramework\\Http\\DownloadResponseTest::testFilenameEncoding with data set #5":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDefault":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyScriptDomainValid":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyScriptDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowScriptDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowScriptDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowScriptDomainMultipleStacked":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyScriptAllowInline":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyScriptAllowInlineWithDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyScriptAllowInlineAndEval":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyStyleDomainValid":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyStyleDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowStyleDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowStyleDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowStyleDomainMultipleStacked":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyStyleAllowInline":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyStyleAllowInlineWithDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyStyleDisallowInline":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyImageDomainValid":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyImageDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowImageDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowImageDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowImageDomainMultipleStakes":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyFontDomainValid":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyFontDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowFontDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowFontDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowFontDomainMultipleStakes":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyConnectDomainValid":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyConnectDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowConnectDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowConnectDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowConnectDomainMultipleStakes":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyMediaDomainValid":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyMediaDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowMediaDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowMediaDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowMediaDomainMultipleStakes":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyObjectDomainValid":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyObjectDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowObjectDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowObjectDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowObjectDomainMultipleStakes":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetAllowedFrameDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyFrameDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowFrameDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowFrameDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowFrameDomainMultipleStakes":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetAllowedChildSrcDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyChildSrcValidMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowChildSrcDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowChildSrcDomainMultiple":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyDisallowChildSrcDomainMultipleStakes":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyWithJsNonceAndScriptDomains":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyWithJsNonceAndSelfScriptDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyWithoutJsNonceAndSelfScriptDomain":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyWithReportUri":0,"Test\\AppFramework\\Http\\EmptyContentSecurityPolicyTest::testGetPolicyWithMultipleReportUri":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyDefault":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyAutoplayDomainValid":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyAutoplayDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyCameraDomainValid":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyCameraDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyFullScreenDomainValid":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyFullScreenDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyGeoLocationDomainValid":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyGeoLocationDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyMicrophoneDomainValid":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyMicrophoneDomainValidMultiple":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyPaymentDomainValid":0,"Test\\AppFramework\\Http\\EmptyFeaturePolicyTest::testGetPolicyPaymentDomainValidMultiple":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyDefault":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyAutoplayDomainValid":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyAutoplayDomainValidMultiple":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyCameraDomainValid":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyCameraDomainValidMultiple":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyFullScreenDomainValid":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyFullScreenDomainValidMultiple":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyGeoLocationDomainValid":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyGeoLocationDomainValidMultiple":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyMicrophoneDomainValid":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyMicrophoneDomainValidMultiple":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyPaymentDomainValid":0,"Test\\AppFramework\\Http\\FeaturePolicyTest::testGetPolicyPaymentDomainValidMultiple":0,"Test\\AppFramework\\Http\\FileDisplayResponseTest::testHeader":0,"Test\\AppFramework\\Http\\FileDisplayResponseTest::testETag":0,"Test\\AppFramework\\Http\\FileDisplayResponseTest::testLastModified":0,"Test\\AppFramework\\Http\\FileDisplayResponseTest::test304":0.001,"Test\\AppFramework\\Http\\FileDisplayResponseTest::testNon304":0,"Test\\AppFramework\\Http\\HttpTest::testProtocol":0,"Test\\AppFramework\\Http\\HttpTest::testProtocol10":0,"Test\\AppFramework\\Http\\HttpTest::testTempRedirectBecomesFoundInHttp10":0,"Test\\AppFramework\\Http\\JSONResponseTest::testHeader":0,"Test\\AppFramework\\Http\\JSONResponseTest::testSetData":0,"Test\\AppFramework\\Http\\JSONResponseTest::testSetRender":0,"Test\\AppFramework\\Http\\JSONResponseTest::testRender with data set #0":0,"Test\\AppFramework\\Http\\JSONResponseTest::testRender with data set #1":0,"Test\\AppFramework\\Http\\JSONResponseTest::testRenderWithNonUtf8Encoding":0,"Test\\AppFramework\\Http\\JSONResponseTest::testConstructorAllowsToSetData":0,"Test\\AppFramework\\Http\\JSONResponseTest::testChainability":0,"Test\\AppFramework\\Http\\OutputTest::testSetOutput":0.001,"Test\\AppFramework\\Http\\OutputTest::testSetReadfile":0,"Test\\AppFramework\\Http\\OutputTest::testSetReadfileStream":0,"Test\\AppFramework\\Http\\PublicTemplateResponseTest::testSetParamsConstructor":0.001,"Test\\AppFramework\\Http\\PublicTemplateResponseTest::testAdditionalElements":0,"Test\\AppFramework\\Http\\PublicTemplateResponseTest::testActionSingle":0.001,"Test\\AppFramework\\Http\\PublicTemplateResponseTest::testActionMultiple":0,"Test\\AppFramework\\Http\\PublicTemplateResponseTest::testGetRenderAs":0,"Test\\AppFramework\\Http\\RedirectResponseTest::testHeaders":0,"Test\\AppFramework\\Http\\RedirectResponseTest::testGetRedirectUrl":0,"Test\\AppFramework\\Http\\RequestIdTest::testGetIdWithModUnique":0,"Test\\AppFramework\\Http\\RequestIdTest::testGetIdWithoutModUnique":0,"Test\\AppFramework\\Http\\RequestTest::testRequestAccessors":0.001,"Test\\AppFramework\\Http\\RequestTest::testPrecedence":0,"Test\\AppFramework\\Http\\RequestTest::testImmutableArrayAccess":0,"Test\\AppFramework\\Http\\RequestTest::testImmutableMagicAccess":0,"Test\\AppFramework\\Http\\RequestTest::testGetTheMethodRight":0,"Test\\AppFramework\\Http\\RequestTest::testTheMethodIsRight":0,"Test\\AppFramework\\Http\\RequestTest::testJsonPost":0,"Test\\AppFramework\\Http\\RequestTest::testNotJsonPost":0,"Test\\AppFramework\\Http\\RequestTest::testPatch":0,"Test\\AppFramework\\Http\\RequestTest::testJsonPatchAndPut":0,"Test\\AppFramework\\Http\\RequestTest::testPutStream":0,"Test\\AppFramework\\Http\\RequestTest::testSetUrlParameters":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressWithoutTrustedRemote":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressWithNoTrustedHeader":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressWithSingleTrustedRemote":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressIPv6WithSingleTrustedRemote":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressVerifyPriorityHeader":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressIPv6VerifyPriorityHeader":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressWithMatchingCidrTrustedRemote":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressWithNotMatchingCidrTrustedRemote":0,"Test\\AppFramework\\Http\\RequestTest::testGetRemoteAddressWithXForwardedForIPv6":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #1":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #2":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #3":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #4":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #5":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #6":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #7":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #8":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #9":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #10":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #11":0,"Test\\AppFramework\\Http\\RequestTest::testGetHttpProtocol with data set #12":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerProtocolWithOverride":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerProtocolWithProtoValid":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerProtocolWithHttpsServerValueOn":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerProtocolWithHttpsServerValueOff":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerProtocolWithHttpsServerValueEmpty":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerProtocolDefault":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerProtocolBehindLoadBalancers":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #1":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #2":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #3":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #4":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #5":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #6":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #7":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #8":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #9":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #10":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #11":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #12":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #13":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #14":0,"Test\\AppFramework\\Http\\RequestTest::testUserAgent with data set #15":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #1":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #2":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #3":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #4":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #5":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #6":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #7":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #8":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #9":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #10":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #11":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #12":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #13":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #14":0,"Test\\AppFramework\\Http\\RequestTest::testUndefinedUserAgent with data set #15":0,"Test\\AppFramework\\Http\\RequestTest::testInsecureServerHostServerNameHeader":0,"Test\\AppFramework\\Http\\RequestTest::testInsecureServerHostHttpHostHeader":0,"Test\\AppFramework\\Http\\RequestTest::testInsecureServerHostHttpFromForwardedHeaderSingle":0,"Test\\AppFramework\\Http\\RequestTest::testInsecureServerHostHttpFromForwardedHeaderStacked":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostWithOverwriteHost":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostWithTrustedDomain":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostWithUntrustedDomain":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostWithNoTrustedDomain":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostTrustedDomain with data set \"is array\"":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostTrustedDomain with data set \"is array but undefined index 0\"":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostTrustedDomain with data set \"is string\"":0,"Test\\AppFramework\\Http\\RequestTest::testGetServerHostTrustedDomain with data set \"is null\"":0,"Test\\AppFramework\\Http\\RequestTest::testGetOverwriteHostDefaultNull":0,"Test\\AppFramework\\Http\\RequestTest::testGetOverwriteHostWithOverwrite":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoNotProcessible":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoNotProcessible":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnvGeneric with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnvGeneric with data set #1":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnvGeneric with data set #2":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnvGeneric with data set #3":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnvGeneric with data set #4":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnvGeneric with data set #5":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnvGeneric with data set #6":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnvGeneric with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnvGeneric with data set #1":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnvGeneric with data set #2":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnvGeneric with data set #3":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnvGeneric with data set #4":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnvGeneric with data set #5":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnvGeneric with data set #6":0,"Test\\AppFramework\\Http\\RequestTest::testGetRawPathInfoWithoutSetEnv with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testGetPathInfoWithoutSetEnv with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testGetRequestUriWithoutOverwrite":0,"Test\\AppFramework\\Http\\RequestTest::testGetRequestUriWithOverwrite with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testGetRequestUriWithOverwrite with data set #1":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithGet":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithPost":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithHeader":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithGetAndWithoutCookies":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithPostAndWithoutCookies":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithHeaderAndWithoutCookies":0,"Test\\AppFramework\\Http\\RequestTest::testFailsCSRFCheckWithHeaderAndNotAllChecksPassing":0,"Test\\AppFramework\\Http\\RequestTest::testPassesStrictCookieCheckWithAllCookiesAndStrict":0,"Test\\AppFramework\\Http\\RequestTest::testFailsStrictCookieCheckWithAllCookiesAndMissingStrict":0,"Test\\AppFramework\\Http\\RequestTest::testGetCookieParams":0,"Test\\AppFramework\\Http\\RequestTest::testPassesStrictCookieCheckWithAllCookies":0,"Test\\AppFramework\\Http\\RequestTest::testPassesStrictCookieCheckWithRandomCookies":0,"Test\\AppFramework\\Http\\RequestTest::testFailsStrictCookieCheckWithSessionCookie":0,"Test\\AppFramework\\Http\\RequestTest::testFailsStrictCookieCheckWithRememberMeCookie":0,"Test\\AppFramework\\Http\\RequestTest::testFailsCSRFCheckWithPostAndWithCookies":0,"Test\\AppFramework\\Http\\RequestTest::testFailStrictCookieCheckWithOnlyLaxCookie":0,"Test\\AppFramework\\Http\\RequestTest::testFailStrictCookieCheckWithOnlyStrictCookie":0,"Test\\AppFramework\\Http\\RequestTest::testPassesLaxCookieCheck":0,"Test\\AppFramework\\Http\\RequestTest::testFailsLaxCookieCheckWithOnlyStrictCookie":0,"Test\\AppFramework\\Http\\RequestTest::testSkipCookieCheckForOCSRequests":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithInvalidToken with data set #0":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithInvalidToken with data set #1":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithInvalidToken with data set #2":0,"Test\\AppFramework\\Http\\RequestTest::testPassesCSRFCheckWithoutTokenFail":0,"Test\\AppFramework\\Http\\ResponseTest::testAddHeader":0,"Test\\AppFramework\\Http\\ResponseTest::testSetHeaders":0,"Test\\AppFramework\\Http\\ResponseTest::testOverwriteCsp":0,"Test\\AppFramework\\Http\\ResponseTest::testGetCsp":0,"Test\\AppFramework\\Http\\ResponseTest::testGetCspEmpty":0,"Test\\AppFramework\\Http\\ResponseTest::testAddHeaderValueNullDeletesIt":0,"Test\\AppFramework\\Http\\ResponseTest::testCacheHeadersAreDisabledByDefault":0,"Test\\AppFramework\\Http\\ResponseTest::testAddCookie":0,"Test\\AppFramework\\Http\\ResponseTest::testSetCookies":0,"Test\\AppFramework\\Http\\ResponseTest::testInvalidateCookie":0,"Test\\AppFramework\\Http\\ResponseTest::testInvalidateCookies":0,"Test\\AppFramework\\Http\\ResponseTest::testRenderReturnNullByDefault":0,"Test\\AppFramework\\Http\\ResponseTest::testGetStatus":0,"Test\\AppFramework\\Http\\ResponseTest::testGetEtag":0,"Test\\AppFramework\\Http\\ResponseTest::testGetLastModified":0,"Test\\AppFramework\\Http\\ResponseTest::testCacheSecondsZero":0,"Test\\AppFramework\\Http\\ResponseTest::testCacheSeconds":0,"Test\\AppFramework\\Http\\ResponseTest::testEtagLastModifiedHeaders":0,"Test\\AppFramework\\Http\\ResponseTest::testChainability":0,"Test\\AppFramework\\Http\\ResponseTest::testThrottle":0,"Test\\AppFramework\\Http\\ResponseTest::testGetThrottleMetadata":0,"Test\\AppFramework\\Http\\StreamResponseTest::testOutputNotModified":0,"Test\\AppFramework\\Http\\StreamResponseTest::testOutputOk":0,"Test\\AppFramework\\Http\\StreamResponseTest::testOutputNotFound":0,"Test\\AppFramework\\Http\\StreamResponseTest::testOutputReadFileError":0,"Test\\AppFramework\\Http\\TemplateResponseTest::testSetParamsConstructor":0,"Test\\AppFramework\\Http\\TemplateResponseTest::testSetRenderAsConstructor":0,"Test\\AppFramework\\Http\\TemplateResponseTest::testSetParams":0,"Test\\AppFramework\\Http\\TemplateResponseTest::testGetTemplateName":0,"Test\\AppFramework\\Http\\TemplateResponseTest::testGetRenderAs":0,"Test\\AppFramework\\Http\\TemplateResponseTest::testChainability":0,"Test\\AppFramework\\Middleware\\AdditionalScriptsMiddlewareTest::testNoTemplateResponse":0,"Test\\AppFramework\\Middleware\\AdditionalScriptsMiddlewareTest::testPublicShareController":0,"Test\\AppFramework\\Middleware\\AdditionalScriptsMiddlewareTest::testStandaloneTemplateResponse":0.001,"Test\\AppFramework\\Middleware\\AdditionalScriptsMiddlewareTest::testTemplateResponseNotLoggedIn":0.001,"Test\\AppFramework\\Middleware\\AdditionalScriptsMiddlewareTest::testTemplateResponseLoggedIn":0,"Test\\AppFramework\\Middleware\\CompressionMiddlewareTest::testGzipOCSV1":0.001,"Test\\AppFramework\\Middleware\\CompressionMiddlewareTest::testGzipOCSV2":0.001,"Test\\AppFramework\\Middleware\\CompressionMiddlewareTest::testGzipJSONResponse":0,"Test\\AppFramework\\Middleware\\CompressionMiddlewareTest::testNoGzipDataResponse":0.001,"Test\\AppFramework\\Middleware\\CompressionMiddlewareTest::testNoGzipNo200":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testAfterExceptionShouldReturnResponseOfMiddleware":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testAfterExceptionShouldThrowAgainWhenNotHandled":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testBeforeControllerCorrectArguments":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testAfterControllerCorrectArguments":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testAfterExceptionCorrectArguments":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testBeforeOutputCorrectArguments":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testBeforeControllerOrder":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testAfterControllerOrder":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testAfterExceptionOrder":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testBeforeOutputOrder":0,"Test\\AppFramework\\Middleware\\MiddlewareDispatcherTest::testExceptionShouldRunAfterExceptionOfOnlyPreviouslyExecutedMiddlewares":0,"Test\\AppFramework\\Middleware\\MiddlewareTest::testBeforeController":0.001,"Test\\AppFramework\\Middleware\\MiddlewareTest::testAfterExceptionRaiseAgainWhenUnhandled":0,"Test\\AppFramework\\Middleware\\MiddlewareTest::testAfterControllerReturnResponseWhenUnhandled":0,"Test\\AppFramework\\Middleware\\MiddlewareTest::testBeforeOutputReturnOutputhenUnhandled":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #0":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #1":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #2":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #3":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #4":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #5":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #6":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #7":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #8":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #9":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #10":0,"Test\\AppFramework\\Middleware\\NotModifiedMiddlewareTest::testMiddleware with data set #11":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #0":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #1":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #2":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #3":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #4":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #5":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #6":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #7":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #8":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #9":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #10":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #11":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #12":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #13":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #14":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #15":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #16":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #17":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #18":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv1 with data set #19":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #0":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #1":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #2":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #3":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #4":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #5":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #6":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #7":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #8":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #9":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #10":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #11":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #12":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #13":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #14":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #15":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #16":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #17":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #18":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2 with data set #19":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #0":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #1":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #2":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #3":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #4":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #5":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #6":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #7":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #8":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #9":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #10":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #11":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #12":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #13":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #14":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #15":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #16":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #17":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #18":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterExceptionOCSv2SubFolder with data set #19":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #0":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #1":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #2":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #3":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #4":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #5":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #6":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #7":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #8":0,"Test\\AppFramework\\Middleware\\OCSMiddlewareTest::testAfterController with data set #9":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerNoPublicShareController":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerShareApiDisabled with data set #0":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerShareApiDisabled with data set #1":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerShareApiDisabled with data set #2":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerNoTokenParam":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerInvalidToken":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerValidTokenNotAuthenticated":0.001,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerValidTokenAuthenticateMethod":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerValidTokenShowAuthenticateMethod":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testBeforeControllerAuthPublicShareController":0.001,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testAfterExceptionNoPublicShareController":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testAfterExceptionPublicShareControllerNotFoundException":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testAfterExceptionPublicShareController":0,"Test\\AppFramework\\Middleware\\PublicShare\\PublicShareMiddlewareTest::testAfterExceptionAuthPublicShareController":0,"Test\\AppFramework\\Middleware\\Security\\BruteForceMiddlewareTest::testBeforeControllerWithAnnotation":0.001,"Test\\AppFramework\\Middleware\\Security\\BruteForceMiddlewareTest::testBeforeControllerWithoutAnnotation":0,"Test\\AppFramework\\Middleware\\Security\\BruteForceMiddlewareTest::testAfterControllerWithAnnotationAndThrottledRequest":0,"Test\\AppFramework\\Middleware\\Security\\BruteForceMiddlewareTest::testAfterControllerWithAnnotationAndNotThrottledRequest":0,"Test\\AppFramework\\Middleware\\Security\\BruteForceMiddlewareTest::testAfterControllerWithoutAnnotation":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testSetCORSAPIHeader":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testNoAnnotationNoCORSHEADER":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testNoOriginHeaderNoCORSHEADER":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testCorsIgnoredIfWithCredentialsHeaderPresent":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testNoCORSShouldAllowCookieAuth":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testCORSShouldRelogin":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testCORSShouldFailIfPasswordLoginIsForbidden":0.001,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testCORSShouldNotAllowCookieAuth":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testAfterExceptionWithSecurityExceptionNoStatus":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testAfterExceptionWithSecurityExceptionWithStatus":0,"Test\\AppFramework\\Middleware\\Security\\CORSMiddlewareTest::testAfterExceptionWithRegularException":0,"Test\\AppFramework\\Middleware\\Security\\CSPMiddlewareTest::testAfterController":0.001,"Test\\AppFramework\\Middleware\\Security\\CSPMiddlewareTest::testAfterControllerEmptyCSP":0,"Test\\AppFramework\\Middleware\\Security\\CSPMiddlewareTest::testAfterControllerWithContentSecurityPolicy3Support":0,"Test\\AppFramework\\Middleware\\Security\\FeaturePolicyMiddlewareTest::testAfterController":0.001,"Test\\AppFramework\\Middleware\\Security\\FeaturePolicyMiddlewareTest::testAfterControllerEmptyCSP":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testNoAnnotation":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testDifferentAnnotation":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testAnnotation with data set #0":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testAnnotation with data set #1":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testAnnotation with data set #2":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testAnnotation with data set #3":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testAnnotation with data set #4":0,"Test\\AppFramework\\Middleware\\Security\\PasswordConfirmationMiddlewareTest::testAnnotation with data set #5":0,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testBeforeControllerWithoutAnnotation":0,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testBeforeControllerForAnon":0,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testBeforeControllerForLoggedIn":0,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testBeforeControllerAnonWithFallback":0,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testAfterExceptionWithOtherException":0,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testAfterExceptionWithJsonBody":0.001,"Test\\AppFramework\\Middleware\\Security\\RateLimitingMiddlewareTest::testAfterExceptionWithHtmlBody":0.083,"Test\\AppFramework\\Middleware\\Security\\SameSiteCookieMiddlewareTest::testBeforeControllerNoIndex":0.001,"Test\\AppFramework\\Middleware\\Security\\SameSiteCookieMiddlewareTest::testBeforeControllerIndexHasAnnotation":0,"Test\\AppFramework\\Middleware\\Security\\SameSiteCookieMiddlewareTest::testBeforeControllerIndexNoAnnotationPassingCheck":0,"Test\\AppFramework\\Middleware\\Security\\SameSiteCookieMiddlewareTest::testBeforeControllerIndexNoAnnotationFailingCheck":0,"Test\\AppFramework\\Middleware\\Security\\SameSiteCookieMiddlewareTest::testAfterExceptionNoLaxCookie":0,"Test\\AppFramework\\Middleware\\Security\\SameSiteCookieMiddlewareTest::testAfterExceptionLaxCookie":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testSetNavigationEntry":0.001,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAjaxStatusLoggedInCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAjaxNotAdminCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAjaxStatusCSRFCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAjaxStatusAllGood":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testNoChecks":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testNoCsrfCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testPassesCsrfCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testFailCsrfCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testStrictCookieRequiredCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testNoStrictCookieRequiredCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testPassesStrictCookieRequiredCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #0":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #1":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #2":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #3":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #4":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #5":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #6":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testCsrfOcsController with data set #7":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testLoggedInCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testFailLoggedInCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testIsAdminCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testIsNotSubAdminCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testIsSubAdminCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testIsSubAdminAndAdminCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testFailIsAdminCheck":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAfterExceptionNotCaughtThrowsItAgain":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAfterExceptionReturnsRedirectForNotLoggedInUser":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAfterExceptionRedirectsToWebRootAfterStrictCookieFail":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAfterExceptionReturnsTemplateResponse with data set #0":0.001,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAfterExceptionReturnsTemplateResponse with data set #1":0.001,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAfterExceptionReturnsTemplateResponse with data set #2":0.001,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testAfterAjaxExceptionReturnsJSONError":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testRestrictedAppLoggedInPublicPage":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testRestrictedAppNotLoggedInPublicPage":0,"Test\\AppFramework\\Middleware\\Security\\SecurityMiddlewareTest::testRestrictedAppLoggedIn":0,"Test\\AppFramework\\Middleware\\SessionMiddlewareTest::testSessionNotClosedOnBeforeController":0.001,"Test\\AppFramework\\Middleware\\SessionMiddlewareTest::testSessionClosedOnAfterController":0,"Test\\AppFramework\\Middleware\\SessionMiddlewareTest::testSessionClosedOnBeforeController":0,"Test\\AppFramework\\Middleware\\SessionMiddlewareTest::testSessionNotClosedOnAfterController":0,"Test\\AppFramework\\Middleware\\BaseResponseTest::testToXml":0.001,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRoute":0.001,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRouteWithUnderScoreNames":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRoute":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRouteWithMissingVerb":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRouteWithMissingVerb":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRouteWithLowercaseVerb":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRouteWithLowercaseVerb":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRouteWithRequirements":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRouteWithRequirements":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRouteWithDefaults":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRouteWithDefaults":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRouteWithPostfix":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRouteWithPostfix":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleRouteWithBrokenName":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRouteWithBrokenName":0,"Test\\AppFramework\\Routing\\RoutingTest::testSimpleOCSRouteWithUnderScoreNames":0,"Test\\AppFramework\\Routing\\RoutingTest::testOCSResource":0,"Test\\AppFramework\\Routing\\RoutingTest::testOCSResourceWithUnderScoreName":0,"Test\\AppFramework\\Routing\\RoutingTest::testOCSResourceWithRoot":0,"Test\\AppFramework\\Routing\\RoutingTest::testResource":0,"Test\\AppFramework\\Routing\\RoutingTest::testResourceWithUnderScoreName":0.001,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReadAnnotation":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testGetAnnotationParameterSingle":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testGetAnnotationParameterMultiple":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReadAnnotationNoLowercase":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReadTypeIntAnnotations":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReadTypeIntAnnotationsScalarTypes":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReadTypeDoubleAnnotations":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReadTypeWhitespaceAnnotations":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReflectParameters":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testReflectParameters2":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testInheritance":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testInheritanceOverride":0,"Test\\AppFramework\\Utility\\ControllerMethodReflectorTest::testInheritanceOverrideNoDocblock":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testRegister":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testNothingRegistered":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testNotAClass":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testNoConstructorClass":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testInstancesOnlyOnce":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testConstructorSimple":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testConstructorComplex":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testConstructorComplexInterface":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testOverrideService":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testRegisterAliasParamter":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testRegisterAliasService":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testSanitizeName with data set #0":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testSanitizeName with data set #1":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testSanitizeName with data set #2":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testSanitizeName with data set #3":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testConstructorComplexNoTestParameterFound":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testRegisterFactory":0,"Test\\AppFramework\\Utility\\SimpleContainerTest::testRegisterAliasFactory":0,"Test\\AppScriptSortTest::testSort":0.001,"Test\\AppScriptSortTest::testSortCircularDependency":0,"Test\\AppTest::testIsAppCompatible with data set #0":0,"Test\\AppTest::testIsAppCompatible with data set #1":0,"Test\\AppTest::testIsAppCompatible with data set #2":0,"Test\\AppTest::testIsAppCompatible with data set #3":0,"Test\\AppTest::testIsAppCompatible with data set #4":0,"Test\\AppTest::testIsAppCompatible with data set #5":0,"Test\\AppTest::testIsAppCompatible with data set #6":0,"Test\\AppTest::testIsAppCompatible with data set #7":0,"Test\\AppTest::testIsAppCompatible with data set #8":0,"Test\\AppTest::testIsAppCompatible with data set #9":0,"Test\\AppTest::testIsAppCompatible with data set #10":0,"Test\\AppTest::testIsAppCompatible with data set #11":0,"Test\\AppTest::testIsAppCompatible with data set #12":0,"Test\\AppTest::testIsAppCompatible with data set #13":0,"Test\\AppTest::testIsAppCompatible with data set #14":0,"Test\\AppTest::testIsAppCompatible with data set #15":0,"Test\\AppTest::testIsAppCompatible with data set #16":0,"Test\\AppTest::testIsAppCompatible with data set #17":0,"Test\\AppTest::testIsAppCompatible with data set #18":0,"Test\\AppTest::testIsAppCompatible with data set #19":0,"Test\\AppTest::testIsAppCompatible with data set #20":0,"Test\\AppTest::testIsAppCompatible with data set #21":0,"Test\\AppTest::testIsAppCompatible with data set #22":0,"Test\\AppTest::testIsAppCompatible with data set #23":0,"Test\\AppTest::testIsAppCompatible with data set #24":0,"Test\\AppTest::testIsAppCompatible with data set #25":0,"Test\\AppTest::testIsAppCompatible with data set #26":0,"Test\\AppTest::testIsAppCompatible with data set #27":0,"Test\\AppTest::testGetEnabledAppsIsSorted":0,"Test\\AppTest::testEnabledApps with data set #0":0.559,"Test\\AppTest::testEnabledApps with data set #1":0.502,"Test\\AppTest::testEnabledApps with data set #2":0.49,"Test\\AppTest::testEnabledApps with data set #3":0.489,"Test\\AppTest::testEnabledApps with data set #4":0.511,"Test\\AppTest::testEnabledAppsCache":0.164,"Test\\AppTest::testParseAppInfo with data set #0":0,"Test\\AppTest::testParseAppInfo with data set #1":0,"Test\\AppTest::testParseAppInfo with data set #2":0,"Test\\AppTest::testParseAppInfo with data set #3":0,"Test\\AppTest::testParseAppInfo with data set #4":0,"Test\\AppTest::testParseAppInfoL10N":0,"Test\\AppTest::testParseAppInfoL10NSingleLanguage":0,"Test\\Archive\\TARTest::testGetFiles":0.015,"Test\\Archive\\TARTest::testContent":0.001,"Test\\Archive\\TARTest::testWrite":0.001,"Test\\Archive\\TARTest::testReadStream":0.001,"Test\\Archive\\TARTest::testWriteStream":0.001,"Test\\Archive\\TARTest::testFolder":0.002,"Test\\Archive\\TARTest::testExtract":0.001,"Test\\Archive\\TARTest::testMoveRemove":0.002,"Test\\Archive\\TARTest::testRecursive":1.709,"Test\\Archive\\ZIPTest::testGetFiles":0.006,"Test\\Archive\\ZIPTest::testContent":0,"Test\\Archive\\ZIPTest::testWrite":0.001,"Test\\Archive\\ZIPTest::testReadStream":0,"Test\\Archive\\ZIPTest::testWriteStream":0,"Test\\Archive\\ZIPTest::testFolder":0,"Test\\Archive\\ZIPTest::testExtract":0,"Test\\Archive\\ZIPTest::testMoveRemove":0,"Test\\Archive\\ZIPTest::testRecursive":0.076,"Test\\Authentication\\Events\\RemoteWipeFinishedTest::testGetToken":0.005,"Test\\Authentication\\Events\\RemoteWipeStartedTest::testGetToken":0,"Test\\Authentication\\Events\\RemoteWipeActivityListenerTest::testHandleUnrelated":0.001,"Test\\Authentication\\Events\\RemoteWipeActivityListenerTest::testHandleRemoteWipeStarted":0.006,"Test\\Authentication\\Events\\RemoteWipeActivityListenerTest::testHandleRemoteWipeStartedCanNotPublish":0.002,"Test\\Authentication\\Events\\RemoteWipeActivityListenerTest::testHandleRemoteWipeFinished":0,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleUnrelated":0.002,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeStartedInvalidUser":0,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeStartedNoEmailSet":0.001,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeStartedTransmissionError":0.002,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeStarted":0.001,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeFinishedInvalidUser":0,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeFinishedNoEmailSet":0,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeFinishedTransmissionError":0,"lib\\Authentication\\Listeners\\RemoteWipeEmailListenerTest::testHandleRemoteWipeFinished":0,"Test\\Authentication\\Events\\RemoteWipeNotificationsListenerTest::testHandleUnrelated":0.001,"Test\\Authentication\\Events\\RemoteWipeNotificationsListenerTest::testHandleRemoteWipeStarted":0.002,"Test\\Authentication\\Events\\RemoteWipeNotificationsListenerTest::testHandleRemoteWipeFinished":0,"Test\\Authentication\\Listeners\\UserDeletedTokenCleanupListenerTest::testHandleUnrelated":0.001,"Test\\Authentication\\Listeners\\UserDeletedTokenCleanupListenerTest::testHandleWithErrors":0,"Test\\Authentication\\Listeners\\UserDeletedTokenCleanupListenerTest::testHandle":0.001,"Test\\Authentication\\Login\\ClearLostPasswordTokensCommandTest::testProcess":0.003,"Test\\Authentication\\Login\\CompleteLoginCommandTest::testProcess":0.002,"Test\\Authentication\\Login\\CreateSessionTokenCommandTest::testProcess":0.001,"Test\\Authentication\\Login\\CreateSessionTokenCommandTest::testProcessDoNotRemember":0,"Test\\Authentication\\Login\\EmailLoginCommandTest::testProcessAlreadyLoggedIn":0,"Test\\Authentication\\Login\\EmailLoginCommandTest::testProcessNotAnEmailLogin":0.001,"Test\\Authentication\\Login\\EmailLoginCommandTest::testProcessDuplicateEmailLogin":0,"Test\\Authentication\\Login\\EmailLoginCommandTest::testProcessUidIsEmail":0,"Test\\Authentication\\Login\\EmailLoginCommandTest::testProcessWrongPassword":0,"Test\\Authentication\\Login\\EmailLoginCommandTest::testProcess":0,"Test\\Authentication\\Login\\FinishRememberedLoginCommandTest::testProcessNotRememberedLogin":0,"Test\\Authentication\\Login\\FinishRememberedLoginCommandTest::testProcess":0,"Test\\Authentication\\Login\\FinishRememberedLoginCommandTest::testProcessNotRemeberedLoginWithAutologout":0,"Test\\Authentication\\Login\\LoggedInCheckCommandTest::testProcessSuccessfulLogin":0.001,"Test\\Authentication\\Login\\LoggedInCheckCommandTest::testProcessFailedLogin":0.002,"Test\\Authentication\\Login\\PreLoginHookCommandTest::testProcess":0.002,"Test\\Authentication\\Login\\SetUserTimezoneCommandTest::testProcessNoTimezoneSet":0.001,"Test\\Authentication\\Login\\SetUserTimezoneCommandTest::testProcess":0,"Test\\Authentication\\Login\\TwoFactorCommandTest::testNotTwoFactorAuthenticated":0.004,"Test\\Authentication\\Login\\TwoFactorCommandTest::testProcessOneActiveProvider":0.001,"Test\\Authentication\\Login\\TwoFactorCommandTest::testProcessMissingProviders":0,"Test\\Authentication\\Login\\TwoFactorCommandTest::testProcessTwoActiveProviders":0,"Test\\Authentication\\Login\\TwoFactorCommandTest::testProcessFailingProviderAndEnforcedButNoSetupProviders":0,"Test\\Authentication\\Login\\TwoFactorCommandTest::testProcessFailingProviderAndEnforced":0.001,"Test\\Authentication\\Login\\TwoFactorCommandTest::testProcessNoProvidersButEnforced":0,"Test\\Authentication\\Login\\TwoFactorCommandTest::testProcessWithRedirectUrl":0,"Test\\Authentication\\Login\\UidLoginCommandTest::testProcessFailingLogin":0.001,"Test\\Authentication\\Login\\UidLoginCommandTest::testProcess":0,"Test\\Authentication\\Login\\UpdateLastPasswordConfirmCommandTest::testProcess":0,"Test\\Authentication\\Login\\UserDisabledCheckCommandTest::testProcessNonExistingUser":0,"Test\\Authentication\\Login\\UserDisabledCheckCommandTest::testProcessDisabledUser":0,"Test\\Authentication\\Login\\UserDisabledCheckCommandTest::testProcess":0,"Test\\Authentication\\LoginCredentials\\CredentialsTest::testGetUID":0,"Test\\Authentication\\LoginCredentials\\CredentialsTest::testGetUserName":0,"Test\\Authentication\\LoginCredentials\\CredentialsTest::testGetPassword":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testAuthenticate":0.001,"Test\\Authentication\\LoginCredentials\\StoreTest::testSetSession":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentialsNoTokenProvider":0.001,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentials":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentialsSessionNotAvailable":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentialsInvalidToken":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentialsPartialCredentialsAndSessionName":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentialsPartialCredentials":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentialsInvalidTokenLoginCredentials":0,"Test\\Authentication\\LoginCredentials\\StoreTest::testGetLoginCredentialsPasswordlessToken":0,"Test\\Authentication\\Token\\ManagerTest::testGenerateToken":0.001,"Test\\Authentication\\Token\\ManagerTest::testGenerateConflictingToken":0.001,"Test\\Authentication\\Token\\ManagerTest::testGenerateTokenTooLongName":0,"Test\\Authentication\\Token\\ManagerTest::testUpdateToken with data set #0":0,"Test\\Authentication\\Token\\ManagerTest::testUpdateToken with data set #1":0,"Test\\Authentication\\Token\\ManagerTest::testUpdateTokenActivity with data set #0":0,"Test\\Authentication\\Token\\ManagerTest::testUpdateTokenActivity with data set #1":0,"Test\\Authentication\\Token\\ManagerTest::testGetPassword with data set #0":0,"Test\\Authentication\\Token\\ManagerTest::testGetPassword with data set #1":0,"Test\\Authentication\\Token\\ManagerTest::testSetPassword with data set #0":0,"Test\\Authentication\\Token\\ManagerTest::testSetPassword with data set #1":0,"Test\\Authentication\\Token\\ManagerTest::testInvalidateTokens":0,"Test\\Authentication\\Token\\ManagerTest::testInvalidateTokenById":0,"Test\\Authentication\\Token\\ManagerTest::testInvalidateOldTokens":0,"Test\\Authentication\\Token\\ManagerTest::testGetTokenByUser":0,"Test\\Authentication\\Token\\ManagerTest::testRenewSessionTokenPublicKey":0.001,"Test\\Authentication\\Token\\ManagerTest::testRenewSessionInvalid":0,"Test\\Authentication\\Token\\ManagerTest::testGetTokenByIdPublicKey":0,"Test\\Authentication\\Token\\ManagerTest::testGetTokenByIdInvalid":0,"Test\\Authentication\\Token\\ManagerTest::testGetTokenPublicKey":0,"Test\\Authentication\\Token\\ManagerTest::testGetTokenInvalid":0,"Test\\Authentication\\Token\\ManagerTest::testRotateInvalid":0,"Test\\Authentication\\Token\\ManagerTest::testRotatePublicKey":0,"Test\\Authentication\\Token\\ManagerTest::testMarkPasswordInvalidPublicKey":0.001,"Test\\Authentication\\Token\\ManagerTest::testMarkPasswordInvalidInvalidToken":0,"Test\\Authentication\\Token\\ManagerTest::testUpdatePasswords":0,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testInvalidate":0.002,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testInvalidateInvalid":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testInvalidateOld":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testGetToken":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testGetInvalidToken":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testGetTokenById":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testGetTokenByIdNotFound":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testGetInvalidTokenById":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testGetTokenByUser":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testGetTokenByUserNotFound":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testDeleteById":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testDeleteByIdWrongUser":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testDeleteByName":0.001,"Test\\Authentication\\Token\\PublicKeyTokenMapperTest::testHasExpiredTokens":0.001,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGenerateToken":0.061,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGenerateTokenInvalidName":0.058,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testUpdateToken":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testUpdateTokenDebounce":0.001,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetTokenByUser":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetPassword":0.074,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetPasswordPasswordLessToken":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetPasswordInvalidToken":0.101,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testSetPassword":0.104,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testSetPasswordInvalidToken":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testInvalidateToken":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testInvaildateTokenById":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testInvalidateOldTokens":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRenewSessionTokenWithoutPassword":0.09,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRenewSessionTokenWithPassword":0.201,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetToken":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetInvalidToken":0.001,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetExpiredToken":0.03,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetTokenById":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetInvalidTokenById":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGetExpiredTokenById":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRotate":0.058,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testRotateNoPassword":0.114,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testMarkPasswordInvalidInvalidToken":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testMarkPasswordInvalid":0,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testUpdatePasswords":0.331,"Test\\Authentication\\Token\\PublicKeyTokenTest::testSetScopeAsArray":0,"Test\\Authentication\\Token\\PublicKeyTokenTest::testDefaultScope":0,"Test\\Authentication\\Token\\RemoteWipeTest::testMarkNonWipableTokenForWipe":0.001,"Test\\Authentication\\Token\\RemoteWipeTest::testMarkTokenForWipe":0.001,"Test\\Authentication\\Token\\RemoteWipeTest::testMarkAllTokensForWipeNoWipeableToken":0,"Test\\Authentication\\Token\\RemoteWipeTest::testMarkAllTokensForWipe":0,"Test\\Authentication\\Token\\RemoteWipeTest::testStartWipingNotAWipeToken":0,"Test\\Authentication\\Token\\RemoteWipeTest::testStartWiping":0,"Test\\Authentication\\Token\\RemoteWipeTest::testFinishWipingNotAWipeToken":0,"Test\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDaoTest::testGetState":0.001,"Test\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDaoTest::testPersist":0,"Test\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDaoTest::testPersistTwice":0.001,"Test\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDaoTest::testPersistSameStateTwice":0,"Test\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDaoTest::testDeleteByUser":0.001,"Test\\Authentication\\TwoFactorAuth\\Db\\ProviderUserAssignmentDaoTest::testDeleteAll":0.001,"Tests\\Authentication\\TwoFactorAuth\\EnforcementStateTest::testIsEnforced":0,"Tests\\Authentication\\TwoFactorAuth\\EnforcementStateTest::testGetEnforcedGroups":0,"Tests\\Authentication\\TwoFactorAuth\\EnforcementStateTest::testGetExcludedGroups":0,"Tests\\Authentication\\TwoFactorAuth\\EnforcementStateTest::testJsonSerialize":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testIsTwoFactorAuthenticatedEnforced":0.002,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testIsTwoFactorAuthenticatedNoProviders":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testIsTwoFactorAuthenticatedOnlyBackupCodes":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testIsTwoFactorAuthenticatedFailingProviders":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testIsTwoFactorAuthenticatedFixesProviderStates with data set #0":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testIsTwoFactorAuthenticatedFixesProviderStates with data set #1":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testGetProvider":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testGetInvalidProvider":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testGetLoginSetupProviders":0.001,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testGetProviders":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testGetProvidersOneMissing":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testVerifyChallenge":0.003,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testVerifyChallengeInvalidProviderId":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testVerifyInvalidChallenge":0.001,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testNeedsSecondFactor":0.001,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testNeedsSecondFactorUserIsNull":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testNeedsSecondFactorWithNoProviderAvailableAnymore":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testPrepareTwoFactorLogin":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testPrepareTwoFactorLoginDontRemember":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testNeedsSecondFactorSessionAuth":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testNeedsSecondFactorSessionAuthFailDBPass":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testNeedsSecondFactorInvalidToken":0,"Test\\Authentication\\TwoFactorAuth\\ManagerTest::testNeedsSecondFactorAppPassword":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testIsNotEnforced":0.001,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testIsEnforced":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testIsNotEnforcedForAnybody":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testIsEnforcedForAGroupMember":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testIsEnforcedForOtherGroups":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testIsEnforcedButMemberOfExcludedGroup":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testSetEnforced":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testSetEnforcedForGroups":0,"Tests\\Authentication\\TwoFactorAuth\\MandatoryTwoFactorTest::testSetNotEnforced":0,"lib\\Authentication\\TwoFactorAuth\\ProviderLoaderTest::testFailHardIfProviderCanNotBeLoaded":0.003,"lib\\Authentication\\TwoFactorAuth\\ProviderLoaderTest::testGetProviders":0.001,"lib\\Authentication\\TwoFactorAuth\\ProviderLoaderTest::testGetProvidersBootstrap":0,"lib\\Authentication\\TwoFactorAuth\\ProviderManagerTest::testTryEnableInvalidProvider":0.001,"lib\\Authentication\\TwoFactorAuth\\ProviderManagerTest::testTryEnableUnsupportedProvider":0,"lib\\Authentication\\TwoFactorAuth\\ProviderManagerTest::testTryEnableProvider":0.001,"lib\\Authentication\\TwoFactorAuth\\ProviderManagerTest::testTryDisableInvalidProvider":0,"lib\\Authentication\\TwoFactorAuth\\ProviderManagerTest::testTryDisableUnsupportedProvider":0,"lib\\Authentication\\TwoFactorAuth\\ProviderManagerTest::testTryDisableProvider":0.001,"Test\\Authentication\\TwoFactorAuth\\ProviderSetTest::testIndexesProviders":0,"Test\\Authentication\\TwoFactorAuth\\ProviderSetTest::testGet3rdPartyProviders":0.001,"Test\\Authentication\\TwoFactorAuth\\ProviderSetTest::testGetProvider":0,"Test\\Authentication\\TwoFactorAuth\\ProviderSetTest::testGetProviderNotFound":0,"Test\\Authentication\\TwoFactorAuth\\ProviderSetTest::testIsProviderMissing":0,"Test\\Authentication\\TwoFactorAuth\\RegistryTest::testGetProviderStates":0.001,"Test\\Authentication\\TwoFactorAuth\\RegistryTest::testEnableProvider":0,"Test\\Authentication\\TwoFactorAuth\\RegistryTest::testDisableProvider":0,"Test\\Authentication\\TwoFactorAuth\\RegistryTest::testDeleteUserData":0,"Test\\Authentication\\TwoFactorAuth\\RegistryTest::testCleanUp":0,"Test\\AutoLoaderTest::testLegacyPath":0,"Test\\AutoLoaderTest::testLoadTestTestCase":0,"Test\\AutoLoaderTest::testLoadCore":0,"Test\\AutoLoaderTest::testLoadPublicNamespace":0,"Test\\AutoLoaderTest::testLoadAppNamespace":0,"Test\\AutoLoaderTest::testLoadCoreNamespaceCore":0,"Test\\AutoLoaderTest::testLoadCoreNamespaceSettings":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarInvalidUser":0.012,"Test\\Avatar\\AvatarManagerTest::testGetAvatarForSelf":0.006,"Test\\Avatar\\AvatarManagerTest::testGetAvatarValidUserDifferentCasing":0.001,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #0":0.001,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #1":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #2":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #3":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #4":0,"Test\\Avatar\\GuestAvatarTest::testGet":0.002,"Test\\Avatar\\GuestAvatarTest::testIsCustomAvatar":0,"Test\\Avatar\\UserAvatarTest::testGetNoAvatar":0.044,"Test\\Avatar\\UserAvatarTest::testGetAvatarSizeMatch":0.004,"Test\\Avatar\\UserAvatarTest::testGetAvatarSizeMinusOne":0.004,"Test\\Avatar\\UserAvatarTest::testGetAvatarNoSizeMatch":0.003,"Test\\Avatar\\UserAvatarTest::testExistsNo":0,"Test\\Avatar\\UserAvatarTest::testExiststJPG":0,"Test\\Avatar\\UserAvatarTest::testExistsPNG":0,"Test\\Avatar\\UserAvatarTest::testSetAvatar":0.005,"Test\\Avatar\\UserAvatarTest::testGenerateSvgAvatar":0,"Test\\Avatar\\UserAvatarTest::testGetAvatarText with data set #0":0,"Test\\Avatar\\UserAvatarTest::testGetAvatarText with data set #1":0,"Test\\Avatar\\UserAvatarTest::testGetAvatarText with data set #2":0,"Test\\Avatar\\UserAvatarTest::testGetAvatarText with data set #3":0,"Test\\Avatar\\UserAvatarTest::testHashToInt":0,"Test\\Avatar\\UserAvatarTest::testMixPalette":0,"Test\\BackgroundJob\\JobListTest::testAddRemove with data set #0":0.015,"Test\\BackgroundJob\\JobListTest::testAddRemove with data set #1":0.001,"Test\\BackgroundJob\\JobListTest::testAddRemove with data set #2":0.001,"Test\\BackgroundJob\\JobListTest::testAddRemove with data set #3":0.001,"Test\\BackgroundJob\\JobListTest::testAddRemove with data set #4":0.001,"Test\\BackgroundJob\\JobListTest::testRemoveDifferentArgument with data set #0":0.001,"Test\\BackgroundJob\\JobListTest::testRemoveDifferentArgument with data set #1":0.002,"Test\\BackgroundJob\\JobListTest::testRemoveDifferentArgument with data set #2":0.001,"Test\\BackgroundJob\\JobListTest::testRemoveDifferentArgument with data set #3":0.001,"Test\\BackgroundJob\\JobListTest::testRemoveDifferentArgument with data set #4":0.001,"Test\\BackgroundJob\\JobListTest::testHas with data set #0":0.001,"Test\\BackgroundJob\\JobListTest::testHas with data set #1":0.001,"Test\\BackgroundJob\\JobListTest::testHas with data set #2":0.001,"Test\\BackgroundJob\\JobListTest::testHas with data set #3":0.001,"Test\\BackgroundJob\\JobListTest::testHas with data set #4":0.001,"Test\\BackgroundJob\\JobListTest::testHasDifferentArgument with data set #0":0,"Test\\BackgroundJob\\JobListTest::testHasDifferentArgument with data set #1":0,"Test\\BackgroundJob\\JobListTest::testHasDifferentArgument with data set #2":0,"Test\\BackgroundJob\\JobListTest::testHasDifferentArgument with data set #3":0,"Test\\BackgroundJob\\JobListTest::testHasDifferentArgument with data set #4":0,"Test\\BackgroundJob\\JobListTest::testGetNext":0.004,"Test\\BackgroundJob\\JobListTest::testGetNextSkipReserved":0.001,"Test\\BackgroundJob\\JobListTest::testGetNextSkipNonExisting":0.001,"Test\\BackgroundJob\\JobListTest::testGetById with data set #0":0.001,"Test\\BackgroundJob\\JobListTest::testGetById with data set #1":0,"Test\\BackgroundJob\\JobListTest::testGetById with data set #2":0,"Test\\BackgroundJob\\JobListTest::testGetById with data set #3":0,"Test\\BackgroundJob\\JobListTest::testGetById with data set #4":0,"Test\\BackgroundJob\\JobListTest::testSetLastRun":0.002,"Test\\BackgroundJob\\JobTest::testRemoveAfterException":0.002,"Test\\BackgroundJob\\JobTest::testRemoveAfterError":0,"Test\\BackgroundJob\\QueuedJobTest::testJobShouldBeRemoved":0,"Test\\BackgroundJob\\QueuedJobTest::testJobShouldBeRemovedNew":0,"Test\\BackgroundJob\\TimedJobTest::testShouldRunAfterInterval":0,"Test\\BackgroundJob\\TimedJobTest::testShouldNotRunWithinInterval":0,"Test\\BackgroundJob\\TimedJobTest::testShouldNotTwice":0,"Test\\BackgroundJob\\TimedJobTest::testShouldRunAfterIntervalNew":0,"Test\\BackgroundJob\\TimedJobTest::testShouldNotRunWithinIntervalNew":0,"Test\\BackgroundJob\\TimedJobTest::testShouldNotTwiceNew":0,"Test\\Cache\\CappedMemoryCacheTest::testSetOverCap":0,"Test\\Cache\\CappedMemoryCacheTest::testClear":0,"Test\\Cache\\CappedMemoryCacheTest::testIndirectSet":0,"Test\\Cache\\CappedMemoryCacheTest::testSimple":0,"Test\\Cache\\FileCacheTest::testGarbageCollectOldKeys":0.009,"Test\\Cache\\FileCacheTest::testGarbageCollectLeaveRecentKeys":0.004,"Test\\Cache\\FileCacheTest::testGarbageCollectIgnoreLockedKeys with data set #0":0.007,"Test\\Cache\\FileCacheTest::testGarbageCollectIgnoreLockedKeys with data set #1":0.006,"Test\\Cache\\FileCacheTest::testSimple":0.007,"Test\\Cache\\FileCacheTest::testClear":0.01,"Test\\Calendar\\ManagerTest::testSearch with data set #0":0.001,"Test\\Calendar\\ManagerTest::testSearchOptions with data set #0":0,"Test\\Calendar\\ManagerTest::testRegisterUnregister":0,"Test\\Calendar\\ManagerTest::testGetCalendars":0,"Test\\Calendar\\ManagerTest::testEnabledIfNot":0,"Test\\Calendar\\ManagerTest::testIfEnabledIfSo":0,"Test\\Calendar\\Resource\\ManagerTest::testRegisterUnregisterBackend":0.001,"Test\\Calendar\\Resource\\ManagerTest::testGetBackendFromBootstrapRegistration":0,"Test\\Calendar\\Resource\\ManagerTest::testGetBackend":0,"Test\\Calendar\\Resource\\ManagerTest::testClear":0,"Test\\Calendar\\Room\\ManagerTest::testRegisterUnregisterBackend":0.001,"Test\\Calendar\\Room\\ManagerTest::testGetBackendFromBootstrapRegistration":0,"Test\\Calendar\\Room\\ManagerTest::testGetBackend":0,"Test\\Calendar\\Room\\ManagerTest::testClear":0,"Test\\CapabilitiesManagerTest::testNoCapabilities":0,"Test\\CapabilitiesManagerTest::testValidCapability":0,"Test\\CapabilitiesManagerTest::testPublicCapability":0,"Test\\CapabilitiesManagerTest::testNoICapability":0,"Test\\CapabilitiesManagerTest::testMergedCapabilities":0,"Test\\CapabilitiesManagerTest::testDeepIdenticalCapabilities":0,"Test\\CapabilitiesManagerTest::testInvalidCapability":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #0":0.001,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #1":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #2":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #3":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #4":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #5":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #6":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #7":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #8":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #9":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #10":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #11":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #12":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #13":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #14":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #15":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #16":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #17":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #18":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #19":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #20":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #21":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #22":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #23":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #24":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #25":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #26":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #27":0,"Test\\Collaboration\\Collaborators\\GroupPluginTest::testSearch with data set #28":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearchNoLookupServerURI":0.002,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearchNoInternet":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearch with data set #0":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearch with data set #1":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearchEnableDisableLookupServer with data set #0":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearchEnableDisableLookupServer with data set #1":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearchEnableDisableLookupServer with data set #2":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearchEnableDisableLookupServer with data set #3":0,"Test\\Collaboration\\Collaborators\\LookupPluginTest::testSearchLookupServerDisabled":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #0":0.002,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #1":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #2":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #3":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #4":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #5":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #6":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #7":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #8":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #9":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #10":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #11":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #12":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #13":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #14":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #15":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #16":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #17":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearch with data set #18":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearchGroupsOnly with data set #0":0.001,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearchGroupsOnly with data set #1":0,"Test\\Collaboration\\Collaborators\\MailPluginTest::testSearchGroupsOnly with data set #2":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #0":0.001,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #1":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #2":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #3":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #4":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #5":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #6":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #7":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #8":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #9":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #10":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSearch with data set #11":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #0":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #1":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #2":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #3":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #4":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #5":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #6":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #7":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #8":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #9":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #10":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #11":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #12":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #13":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #14":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #15":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #16":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #17":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #18":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #19":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #20":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #21":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #22":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #23":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #24":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #25":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #26":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #27":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #28":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #29":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #30":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #31":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #32":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #33":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #34":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #35":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #36":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #37":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #38":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #39":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #40":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #41":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #42":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #43":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #44":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #45":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #46":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #47":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #48":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #49":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #50":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #51":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #52":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #53":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #54":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #55":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #56":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #57":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #58":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #59":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #60":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #61":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #62":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #63":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #64":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #65":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #66":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #67":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #68":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #69":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #70":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #71":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #72":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #73":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #74":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #75":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #76":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #77":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #78":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #79":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #80":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #81":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #82":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #83":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #84":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #85":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #86":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #87":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #88":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #89":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #90":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #91":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #92":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #93":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #94":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #95":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #96":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #97":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #98":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #99":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #100":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #101":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #102":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #103":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #104":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #105":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #106":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #107":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #108":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #109":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #110":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #111":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #112":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #113":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #114":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #115":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #116":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #117":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #118":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #119":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #120":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #121":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #122":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #123":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #124":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #125":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #126":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #127":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #128":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #129":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #130":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #131":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #132":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #133":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #134":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #135":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #136":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #137":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #138":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #139":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #140":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #141":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #142":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #143":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #144":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #145":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #146":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #147":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #148":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #149":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #150":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #151":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #152":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #153":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #154":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #155":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #156":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #157":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #158":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #159":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #160":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #161":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #162":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #163":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #164":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #165":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #166":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #167":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #168":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #169":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #170":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #171":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #172":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #173":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #174":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #175":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #176":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #177":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #178":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #179":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #180":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #181":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #182":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #183":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #184":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #185":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #186":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #187":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #188":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #189":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #190":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #191":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #192":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #193":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #194":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #195":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #196":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #197":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #198":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #199":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #200":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #201":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #202":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #203":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #204":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #205":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #206":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #207":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #208":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #209":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #210":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #211":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #212":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #213":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #214":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemote with data set #215":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #0":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #1":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #2":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #3":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #4":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #5":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #6":0,"Test\\Collaboration\\Collaborators\\RemotePluginTest::testSplitUserRemoteError with data set #7":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testAddResultSet with data set #0":0.001,"Test\\Collaboration\\Collaborators\\SearchResultTest::testAddResultSet with data set #1":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testAddResultSet with data set #2":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testAddResultSet with data set #3":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testHasResult with data set #0":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testHasResult with data set #1":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testHasResult with data set #2":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testHasResult with data set #3":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testHasResult with data set #4":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testHasResult with data set #5":0,"Test\\Collaboration\\Collaborators\\SearchResultTest::testHasResult with data set #6":0,"Test\\Collaboration\\Collaborators\\SearchTest::testSearch with data set #0":0,"Test\\Collaboration\\Collaborators\\SearchTest::testSearch with data set #1":0,"Test\\Collaboration\\Collaborators\\SearchTest::testSearch with data set #2":0,"Test\\Collaboration\\Collaborators\\SearchTest::testSearch with data set #3":0,"Test\\Collaboration\\Collaborators\\SearchTest::testSearch with data set #4":0,"Test\\Collaboration\\Collaborators\\SearchTest::testSearch with data set #5":0,"Test\\Collaboration\\Collaborators\\SearchTest::testSearch with data set #6":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #0":0.002,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #1":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #2":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #3":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #4":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #5":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #6":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #7":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #8":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #9":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #10":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #11":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #12":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #13":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #14":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #15":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #16":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #17":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #18":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #19":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #20":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #21":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearch with data set #22":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testTakeOutCurrentUser with data set #0":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testTakeOutCurrentUser with data set #1":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testTakeOutCurrentUser with data set #2":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #0":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #1":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #2":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #3":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #4":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #5":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #6":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #7":0,"Test\\Collaboration\\Resources\\ManagerTest::testRegisterResourceProvider":0,"Test\\Collaboration\\Resources\\ProviderManagerTest::testRegisterResourceProvider":0,"Test\\Collaboration\\Resources\\ProviderManagerTest::testGetResourceProvidersNoProvider":0,"Test\\Collaboration\\Resources\\ProviderManagerTest::testGetResourceProvidersValidProvider":0.001,"Test\\Collaboration\\Resources\\ProviderManagerTest::testGetResourceProvidersInvalidProvider":0,"Test\\Collaboration\\Resources\\ProviderManagerTest::testGetResourceProvidersValidAndInvalidProvider":0,"Test\\Command\\BackgroundJobsTest::testCronCommand":0.002,"Test\\Command\\BackgroundJobsTest::testAjaxCommand":0,"Test\\Command\\BackgroundJobsTest::testWebCronCommand":0,"Test\\Command\\CronBusTest::testSimpleCommand":0.002,"Test\\Command\\CronBusTest::testStateFullCommand":0,"Test\\Command\\CronBusTest::testStaticCallable":0,"Test\\Command\\CronBusTest::testMemberCallable":0,"Test\\Command\\CronBusTest::testFunctionCallable":0,"Test\\Command\\CronBusTest::testClosure":0.004,"Test\\Command\\CronBusTest::testClosureSelf":0,"Test\\Command\\CronBusTest::testClosureThis":0,"Test\\Command\\CronBusTest::testClosureBind":0,"Test\\Command\\CronBusTest::testFileFileAccessCommand":0,"Test\\Command\\CronBusTest::testFileFileAccessCommandSync":0,"Test\\Command\\Integrity\\SignAppTest::testExecuteWithMissingPath":0.002,"Test\\Command\\Integrity\\SignAppTest::testExecuteWithMissingPrivateKey":0,"Test\\Command\\Integrity\\SignAppTest::testExecuteWithMissingCertificate":0,"Test\\Command\\Integrity\\SignAppTest::testExecuteWithNotExistingPrivateKey":0,"Test\\Command\\Integrity\\SignAppTest::testExecuteWithNotExistingCertificate":0,"Test\\Command\\Integrity\\SignAppTest::testExecuteWithException":0.032,"Test\\Command\\Integrity\\SignAppTest::testExecute":0.011,"Test\\Command\\Integrity\\SignCoreTest::testExecuteWithMissingPrivateKey":0,"Test\\Command\\Integrity\\SignCoreTest::testExecuteWithMissingCertificate":0,"Test\\Command\\Integrity\\SignCoreTest::testExecuteWithNotExistingPrivateKey":0,"Test\\Command\\Integrity\\SignCoreTest::testExecuteWithNotExistingCertificate":0,"Test\\Command\\Integrity\\SignCoreTest::testExecuteWithException":0.011,"Test\\Command\\Integrity\\SignCoreTest::testExecute":0.011,"Test\\Comments\\CommentTest::testSettersValidInput":0.002,"Test\\Comments\\CommentTest::testSetIdIllegalInput":0,"Test\\Comments\\CommentTest::testResetId":0,"Test\\Comments\\CommentTest::testSimpleSetterInvalidInput with data set #0":0,"Test\\Comments\\CommentTest::testSimpleSetterInvalidInput with data set #1":0,"Test\\Comments\\CommentTest::testSimpleSetterInvalidInput with data set #2":0,"Test\\Comments\\CommentTest::testSimpleSetterInvalidInput with data set #3":0,"Test\\Comments\\CommentTest::testSimpleSetterInvalidInput with data set #4":0,"Test\\Comments\\CommentTest::testSimpleSetterInvalidInput with data set #5":0,"Test\\Comments\\CommentTest::testSimpleSetterInvalidInput with data set #6":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #0":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #1":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #2":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #3":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #4":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #5":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #6":0,"Test\\Comments\\CommentTest::testSetRoleInvalidInput with data set #7":0,"Test\\Comments\\CommentTest::testSetUberlongMessage":0,"Test\\Comments\\CommentTest::testMentions with data set #0":0,"Test\\Comments\\CommentTest::testMentions with data set #1":0,"Test\\Comments\\CommentTest::testMentions with data set #2":0,"Test\\Comments\\CommentTest::testMentions with data set #3":0,"Test\\Comments\\CommentTest::testMentions with data set #4":0,"Test\\Comments\\CommentTest::testMentions with data set #5":0,"Test\\Comments\\CommentTest::testMentions with data set #6":0,"Test\\Comments\\CommentTest::testMentions with data set #7":0,"Test\\Comments\\CommentTest::testMentions with data set #8":0,"Test\\Comments\\ManagerTest::testGetCommentNotFound":0.002,"Test\\Comments\\ManagerTest::testGetCommentNotFoundInvalidInput":0,"Test\\Comments\\ManagerTest::testGetComment":0.003,"Test\\Comments\\ManagerTest::testGetTreeNotFound":0,"Test\\Comments\\ManagerTest::testGetTreeNotFoundInvalidIpnut":0,"Test\\Comments\\ManagerTest::testGetTree":0.001,"Test\\Comments\\ManagerTest::testGetTreeNoReplies":0,"Test\\Comments\\ManagerTest::testGetTreeWithLimitAndOffset":0.001,"Test\\Comments\\ManagerTest::testGetForObject":0,"Test\\Comments\\ManagerTest::testGetForObjectWithLimitAndOffset":0.001,"Test\\Comments\\ManagerTest::testGetForObjectWithDateTimeConstraint":0.001,"Test\\Comments\\ManagerTest::testGetForObjectWithLimitAndOffsetAndDateTimeConstraint":0.001,"Test\\Comments\\ManagerTest::testGetNumberOfCommentsForObject":0.001,"Test\\Comments\\ManagerTest::testGetNumberOfUnreadCommentsForFolder":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #0":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #1":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #2":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #3":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #4":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #5":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #6":0.001,"Test\\Comments\\ManagerTest::testGetForObjectSince with data set #7":0.001,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #0":0,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #1":0,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #2":0,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #3":0,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #4":0,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #5":0,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #6":0,"Test\\Comments\\ManagerTest::testCreateCommentInvalidArguments with data set #7":0,"Test\\Comments\\ManagerTest::testCreateComment":0,"Test\\Comments\\ManagerTest::testDelete":0.001,"Test\\Comments\\ManagerTest::testSave with data set #0":0,"Test\\Comments\\ManagerTest::testSaveUpdate":0.001,"Test\\Comments\\ManagerTest::testSaveUpdateException":0.001,"Test\\Comments\\ManagerTest::testSaveIncomplete":0,"Test\\Comments\\ManagerTest::testSaveAsChild":0.002,"Test\\Comments\\ManagerTest::testDeleteReferencesOfActorInvalidInput with data set #0":0,"Test\\Comments\\ManagerTest::testDeleteReferencesOfActorInvalidInput with data set #1":0,"Test\\Comments\\ManagerTest::testDeleteReferencesOfActorInvalidInput with data set #2":0,"Test\\Comments\\ManagerTest::testDeleteReferencesOfActor":0.001,"Test\\Comments\\ManagerTest::testDeleteReferencesOfActorWithUserManagement":0.162,"Test\\Comments\\ManagerTest::testDeleteCommentsAtObjectInvalidInput with data set #0":0,"Test\\Comments\\ManagerTest::testDeleteCommentsAtObjectInvalidInput with data set #1":0,"Test\\Comments\\ManagerTest::testDeleteCommentsAtObjectInvalidInput with data set #2":0,"Test\\Comments\\ManagerTest::testDeleteCommentsAtObject":0.001,"Test\\Comments\\ManagerTest::testSetMarkRead":0,"Test\\Comments\\ManagerTest::testSetMarkReadUpdate":0,"Test\\Comments\\ManagerTest::testReadMarkDeleteUser":0,"Test\\Comments\\ManagerTest::testReadMarkDeleteObject":0,"Test\\Comments\\ManagerTest::testSendEvent":0.001,"Test\\Comments\\ManagerTest::testResolveDisplayName":0,"Test\\Comments\\ManagerTest::testRegisterResolverDuplicate":0,"Test\\Comments\\ManagerTest::testRegisterResolverInvalidType":0,"Test\\Comments\\ManagerTest::testResolveDisplayNameUnregisteredType":0,"Test\\Comments\\ManagerTest::testResolveDisplayNameDirtyResolver":0,"Test\\Comments\\ManagerTest::testReactionAddAndDelete with data set #0":0,"Test\\Comments\\ManagerTest::testReactionAddAndDelete with data set #1":0.005,"Test\\Comments\\ManagerTest::testReactionAddAndDelete with data set #2":0.002,"Test\\Comments\\ManagerTest::testReactionAddAndDelete with data set #3":0.002,"Test\\Comments\\ManagerTest::testReactionAddAndDelete with data set #4":0.003,"Test\\Comments\\ManagerTest::testReactionAddAndDelete with data set #5":0.003,"Test\\Comments\\ManagerTest::testResolveDisplayNameInvalidType":0,"Test\\Comments\\ManagerTest::testRetrieveAllReactions with data set #0":0,"Test\\Comments\\ManagerTest::testRetrieveAllReactions with data set #1":0.002,"Test\\Comments\\ManagerTest::testRetrieveAllReactions with data set #2":0.002,"Test\\Comments\\ManagerTest::testRetrieveAllReactionsWithSpecificReaction with data set #0":0,"Test\\Comments\\ManagerTest::testRetrieveAllReactionsWithSpecificReaction with data set #1":0.002,"Test\\Comments\\ManagerTest::testRetrieveAllReactionsWithSpecificReaction with data set #2":0.003,"Test\\Comments\\ManagerTest::testGetReactionComment with data set #0":0.003,"Test\\Comments\\ManagerTest::testGetReactionComment with data set #1":0.003,"Test\\Comments\\ManagerTest::testGetReactionComment with data set #2":0.001,"Test\\Comments\\ManagerTest::testGetReactionComment with data set #3":0.002,"Test\\Comments\\ManagerTest::testReactionMessageSize with data set #0":0,"Test\\Comments\\ManagerTest::testReactionMessageSize with data set #1":0,"Test\\Comments\\ManagerTest::testReactionMessageSize with data set #2":0,"Test\\Comments\\ManagerTest::testReactionMessageSize with data set #3":0,"Test\\Comments\\ManagerTest::testReactionMessageSize with data set #4":0,"Test\\Comments\\ManagerTest::testReactionMessageSize with data set #5":0,"Test\\Comments\\ManagerTest::testReactionMessageSize with data set #6":0,"Test\\Comments\\ManagerTest::testReactionsSummarizeOrdered with data set #0":0.001,"Test\\Comments\\ManagerTest::testReactionsSummarizeOrdered with data set #1":0.017,"Test\\ConfigTest::testGetKeys":0,"Test\\ConfigTest::testGetValue":0,"Test\\ConfigTest::testGetValueReturnsEnvironmentValueIfSet":0,"Test\\ConfigTest::testGetValueReturnsEnvironmentValueIfSetToZero":0,"Test\\ConfigTest::testGetValueReturnsEnvironmentValueIfSetToFalse":0,"Test\\ConfigTest::testSetValue":0,"Test\\ConfigTest::testSetValues":0,"Test\\ConfigTest::testDeleteKey":0,"Test\\ConfigTest::testConfigMerge":0,"Tests\\Contacts\\ContactsMenu\\ActionFactoryTest::testNewLinkAction":0.001,"Tests\\Contacts\\ContactsMenu\\ActionFactoryTest::testNewEMailAction":0,"Tests\\Contacts\\ContactsMenu\\ActionProviderStoreTest::testGetProviders":0.001,"Tests\\Contacts\\ContactsMenu\\ActionProviderStoreTest::testGetProvidersOfAppWithIncompleInfo":0,"Tests\\Contacts\\ContactsMenu\\ActionProviderStoreTest::testGetProvidersWithQueryException":0,"Tests\\Contacts\\ContactsMenu\\Actions\\LinkActionTest::testSetIcon":0,"Tests\\Contacts\\ContactsMenu\\Actions\\LinkActionTest::testGetSetName":0,"Tests\\Contacts\\ContactsMenu\\Actions\\LinkActionTest::testGetSetPriority":0,"Tests\\Contacts\\ContactsMenu\\Actions\\LinkActionTest::testSetHref":0,"Tests\\Contacts\\ContactsMenu\\Actions\\LinkActionTest::testJsonSerialize":0,"Tests\\Contacts\\ContactsMenu\\Actions\\LinkActionTest::testJsonSerializeNoAppName":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsWithoutFilter":0.003,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsHidesOwnEntry":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsWithoutBinaryImage":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsWithoutAvatarURI":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsWhenUserIsInExcludeGroups":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsOnlyShareIfInTheSameGroup":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsOnlyEnumerateIfInTheSameGroup":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsOnlyEnumerateIfPhoneBookMatch":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsOnlyEnumerateIfPhoneBookMatchWithOwnGroupsOnly":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsOnlyEnumerateIfPhoneBookOrSameGroup":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsOnlyEnumerateIfPhoneBookOrSameGroupInOwnGroupsOnly":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsWithFilter":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testGetContactsWithFilterWithoutFullMatch":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testFindOneUser":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testFindOneEMail":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testFindOneNotSupportedType":0,"Tests\\Contacts\\ContactsMenu\\ContactsStoreTest::testFindOneNoMatches":0,"Tests\\Contacts\\ContactsMenu\\EntryTest::testSetId":0,"Tests\\Contacts\\ContactsMenu\\EntryTest::testSetGetFullName":0,"Tests\\Contacts\\ContactsMenu\\EntryTest::testAddGetEMailAddresses":0,"Tests\\Contacts\\ContactsMenu\\EntryTest::testAddAndSortAction":0,"Tests\\Contacts\\ContactsMenu\\EntryTest::testSetGetProperties":0,"Tests\\Contacts\\ContactsMenu\\EntryTest::testJsonSerialize":0,"Tests\\Contacts\\ContactsMenu\\ManagerTest::testGetFilteredEntries":0.001,"Tests\\Contacts\\ContactsMenu\\ManagerTest::testGetFilteredEntriesLimit":0.001,"Tests\\Contacts\\ContactsMenu\\ManagerTest::testGetFilteredEntriesMinSearchStringLength":0,"Tests\\Contacts\\ContactsMenu\\ManagerTest::testFindOne":0,"Tests\\Contacts\\ContactsMenu\\ManagerTest::testFindOne404":0,"Tests\\Contacts\\ContactsMenu\\Providers\\EMailproviderTest::testProcess":0,"Tests\\Contacts\\ContactsMenu\\Providers\\EMailproviderTest::testProcessEmptyAddress":0,"Test\\ContactsManagerTest::testSearch with data set #0":0,"Test\\ContactsManagerTest::testDeleteHavePermission":0,"Test\\ContactsManagerTest::testDeleteNoPermission":0,"Test\\ContactsManagerTest::testDeleteNoAddressbook":0,"Test\\ContactsManagerTest::testCreateOrUpdateHavePermission":0,"Test\\ContactsManagerTest::testCreateOrUpdateNoPermission":0,"Test\\ContactsManagerTest::testCreateOrUpdateNOAdressbook":0,"Test\\ContactsManagerTest::testIsEnabledIfNot":0,"Test\\ContactsManagerTest::testIsEnabledIfSo":0,"Test\\ContactsManagerTest::testAddressBookEnumeration":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #0":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #1":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #2":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #3":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #4":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #5":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #6":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #7":0,"Test\\DB\\ConnectionFactoryTest::testSplitHostFromPortAndSocket with data set #8":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #0":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #1":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #2":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #3":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #4":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #5":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #6":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #7":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #8":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #9":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #10":0,"Test\\DB\\Exception\\DbalExceptionTest::testDriverException with data set #11":0,"Test\\DB\\Exception\\DbalExceptionTest::testConnectionException":0,"Test\\DB\\Exception\\DbalExceptionTest::testInvalidArgumentException":0,"Test\\DB\\MigrationsTest::testGetters":0.002,"Test\\DB\\MigrationsTest::testCore":0,"Test\\DB\\MigrationsTest::testExecuteUnknownStep":0,"Test\\DB\\MigrationsTest::testUnknownApp":0,"Test\\DB\\MigrationsTest::testExecuteStepWithUnknownClass":0,"Test\\DB\\MigrationsTest::testExecuteStepWithSchemaChange":0.002,"Test\\DB\\MigrationsTest::testExecuteStepWithoutSchemaChange":0,"Test\\DB\\MigrationsTest::testGetMigration with data set #0":0,"Test\\DB\\MigrationsTest::testGetMigration with data set #1":0,"Test\\DB\\MigrationsTest::testGetMigration with data set #2":0,"Test\\DB\\MigrationsTest::testGetMigration with data set #3":0,"Test\\DB\\MigrationsTest::testMigrate":0.001,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsValid":0.006,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsValidWithPrimaryKey":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsValidWithPrimaryKeyDefault":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsTooLongTableName":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsTooLongPrimaryWithDefault":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsTooLongPrimaryWithName":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsTooLongColumnName":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsTooLongIndexName":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsTooLongForeignKeyName":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsNoPrimaryKey":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsTooLongSequenceName":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsBooleanNotNull":0,"Test\\DB\\MigratorTest::testUpgrade":0.034,"Test\\DB\\MigratorTest::testUpgradeDifferentPrefix":0.002,"Test\\DB\\MigratorTest::testInsertAfterUpgrade":0.028,"Test\\DB\\MigratorTest::testAddingPrimaryKeyWithAutoIncrement":0.027,"Test\\DB\\MigratorTest::testReservedKeywords":0.027,"Test\\DB\\MigratorTest::testAddingForeignKey":0.014,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #0":0.014,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #1":0.014,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #2":0.013,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #3":0.014,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #4":0.013,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #5":0.014,"Test\\DB\\OCPostgreSqlPlatformTest::testAlterBigint":0.007,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #4":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #5":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #6":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #7":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testLike with data set #8":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #4":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #5":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #6":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #7":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #8":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testILike with data set #9":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderDBTest::testCastColumn":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #0":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #4":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #5":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #6":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #7":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #8":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #9":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #10":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #11":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #12":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #13":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #14":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #15":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #16":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #17":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #18":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #19":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #20":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #21":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #22":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testComparison with data set #23":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testEquals with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testEquals with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testEquals with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testEquals with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotEquals with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotEquals with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotEquals with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotEquals with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThan with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThan with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThan with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThan with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThanEquals with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThanEquals with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThanEquals with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLowerThanEquals with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThan with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThan with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThan with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThan with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThanEquals with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThanEquals with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThanEquals with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testGreaterThanEquals with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testIsNull":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testIsNotNull":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLike with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLike with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotLike with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotLike with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testIn with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testIn with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testIn with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testIn with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotIn with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotIn with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotIn with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testNotIn with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLiteral with data set #0":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLiteral with data set #1":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLiteral with data set #2":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLiteral with data set #3":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLiteral with data set #4":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testLiteral with data set #5":0,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #0":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #1":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #2":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #3":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #4":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #5":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #6":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #7":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #8":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #9":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #10":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #11":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #12":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #13":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #14":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #15":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #16":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #17":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #18":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #19":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #20":0.001,"Test\\DB\\QueryBuilder\\ExpressionBuilderTest::testClobComparisons with data set #21":0.001,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"1 column: string param unicode\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"2 columns: string param and string param\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"2 columns: string param and int literal\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"2 columns: string param and string literal\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"2 columns: string real and int literal\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"4 columns: string literal\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"4 columns: int literal\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testConcatString with data set \"5 columns: string param with special chars used in the function\"":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testGroupConcatWithoutSeparator":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testGroupConcatWithSeparator":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testGroupConcatWithSingleQuoteSeparator":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testGroupConcatWithDoubleQuoteSeparator":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testIntGroupConcatWithoutSeparator":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testIntGroupConcatWithSeparator":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testMd5":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testSubstring":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testSubstringNoLength":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testLower":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testAdd":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testSubtract":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testCount":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testOctetLength with data set #0":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testOctetLength with data set #1":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testOctetLength with data set #2":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testOctetLength with data set #3":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testCharLength with data set #0":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testCharLength with data set #1":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testCharLength with data set #2":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testCharLength with data set #3":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testMaxEmpty":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testMinEmpty":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testMax":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testMin":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testGreatest":0,"Test\\DB\\QueryBuilder\\FunctionBuilderTest::testLeast":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFirstResult with data set #0":0.001,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFirstResult with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFirstResult with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFirstResult with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testMaxResults with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testMaxResults with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testMaxResults with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelect with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelect with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelect with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelect with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelect with data set #4":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelect with data set #5":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelectAlias with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelectAlias with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelectDistinct":0.001,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSelectDistinctMultiple":0.001,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddSelect with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddSelect with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddSelect with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddSelect with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddSelect with data set #4":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddSelect with data set #5":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testDelete with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testDelete with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testUpdate with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testUpdate with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testInsert with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFrom with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFrom with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFrom with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFrom with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testFrom with data set #4":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testJoin with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testJoin with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testJoin with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testInnerJoin with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testInnerJoin with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testInnerJoin with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testLeftJoin with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testLeftJoin with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testLeftJoin with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testRightJoin with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testRightJoin with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testRightJoin with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSet with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSet with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSet with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSet with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testWhere with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testWhere with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAndWhere with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAndWhere with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrWhere with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrWhere with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGroupBy with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGroupBy with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddGroupBy with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddGroupBy with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testSetValue with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testValues with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testHaving with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testHaving with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testHaving with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testHaving with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAndHaving with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAndHaving with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAndHaving with data set #2":0.026,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAndHaving with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrHaving with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrHaving with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrHaving with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrHaving with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrderBy with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrderBy with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testOrderBy with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #4":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #5":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #6":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #7":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testAddOrderBy with data set #8":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetLastInsertId":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #2":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #3":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #4":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #5":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #6":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #7":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetTableName with data set #8":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetColumnName with data set #0":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testGetColumnName with data set #1":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testExecuteWithoutLogger":0.001,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testExecuteWithLoggerAndNamedArray":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testExecuteWithLoggerAndUnnamedArray":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testExecuteWithLoggerAndNoParams":0,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testExecuteWithParameterTooLarge":0.001,"Test\\DB\\QueryBuilder\\QueryBuilderTest::testExecuteWithParametersTooMany":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnName with data set #0":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnName with data set #1":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnName with data set #2":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnName with data set #3":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnName with data set #4":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #0":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #1":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #2":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #3":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #4":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #5":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #6":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #7":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #8":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #9":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #10":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #11":0,"Test\\DB\\QueryBuilder\\QuoteHelperTest::testQuoteColumnNames with data set #12":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #0":0.001,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #1":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #2":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #3":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #4":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #5":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #6":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #7":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #8":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #9":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #10":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #11":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #12":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #13":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #14":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #15":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #16":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #17":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #18":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #19":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #20":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #21":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #22":0,"Test\\DateTimeFormatterTest::testFormatTimeSpan with data set #23":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #0":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #1":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #2":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #3":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #4":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #5":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #6":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #7":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #8":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #9":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #10":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #11":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #12":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #13":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #14":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #15":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #16":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #17":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #18":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #19":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #20":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #21":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #22":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #23":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #24":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #25":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #26":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #27":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #28":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #29":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #30":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #31":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #32":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #33":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #34":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #35":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #36":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #37":0,"Test\\DateTimeFormatterTest::testFormatDateSpan with data set #38":0,"Test\\DateTimeFormatterTest::testFormatDate with data set #0":0,"Test\\DateTimeFormatterTest::testFormatDateTime with data set #0":0.002,"Test\\DateTimeFormatterTest::testFormatDateTime with data set #1":0,"Test\\DateTimeFormatterTest::testFormatDateWithInvalidTZ":0,"Test\\Diagnostics\\EventLoggerTest::testQueryLogger":0.001,"Test\\Diagnostics\\QueryLoggerTest::testQueryLogger":0.001,"Test\\DirectEditing\\ManagerTest::testEditorRegistration":0,"Test\\DirectEditing\\ManagerTest::testCreateToken":0.001,"Test\\DirectEditing\\ManagerTest::testCreateTokenAccess":0.001,"Test\\DirectEditing\\ManagerTest::testCreateFileAlreadyExists":0,"Test\\Encryption\\DecryptAllTest::testDecryptAll with data set #0":0.001,"Test\\Encryption\\DecryptAllTest::testDecryptAll with data set #1":0,"Test\\Encryption\\DecryptAllTest::testDecryptAll with data set #2":0,"Test\\Encryption\\DecryptAllTest::testDecryptAll with data set #3":0,"Test\\Encryption\\DecryptAllTest::testDecryptAll with data set #4":0,"Test\\Encryption\\DecryptAllTest::testDecryptAllWrongUser":0,"Test\\Encryption\\DecryptAllTest::testPrepareEncryptionModules with data set #0":0,"Test\\Encryption\\DecryptAllTest::testPrepareEncryptionModules with data set #1":0,"Test\\Encryption\\DecryptAllTest::testDecryptAllUsersFiles with data set #0":0,"Test\\Encryption\\DecryptAllTest::testDecryptAllUsersFiles with data set #1":0,"Test\\Encryption\\DecryptAllTest::testDecryptUsersFiles":0.002,"Test\\Encryption\\DecryptAllTest::testDecryptFile with data set #0":0.001,"Test\\Encryption\\DecryptAllTest::testDecryptFile with data set #1":0,"Test\\Encryption\\DecryptAllTest::testDecryptFileFailure":0.001,"Test\\Encryption\\EncryptionWrapperTest::testWrapStorage with data set #0":0.003,"Test\\Encryption\\EncryptionWrapperTest::testWrapStorage with data set #1":0,"Test\\Encryption\\EncryptionWrapperTest::testWrapStorage with data set #2":0,"Test\\Encryption\\Keys\\StorageTest::testSetFileKey":0,"Test\\Encryption\\Keys\\StorageTest::testSetFileOld":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKey with data set #0":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKey with data set #1":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKey with data set #2":0,"Test\\Encryption\\Keys\\StorageTest::testSetFileKeySystemWide":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKeySystemWide":0,"Test\\Encryption\\Keys\\StorageTest::testSetSystemUserKey":0,"Test\\Encryption\\Keys\\StorageTest::testSetUserKey":0,"Test\\Encryption\\Keys\\StorageTest::testGetSystemUserKey":0,"Test\\Encryption\\Keys\\StorageTest::testGetUserKey":0,"Test\\Encryption\\Keys\\StorageTest::testDeleteUserKey":0,"Test\\Encryption\\Keys\\StorageTest::testDeleteSystemUserKey":0,"Test\\Encryption\\Keys\\StorageTest::testDeleteFileKeySystemWide":0,"Test\\Encryption\\Keys\\StorageTest::testDeleteFileKey":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #0":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #1":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #2":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #3":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #4":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #5":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #6":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #7":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #8":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #9":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #10":0,"Test\\Encryption\\Keys\\StorageTest::testRenameKeys with data set #11":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #0":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #1":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #2":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #3":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #4":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #5":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #6":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #7":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #8":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #9":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #10":0,"Test\\Encryption\\Keys\\StorageTest::testCopyKeys with data set #11":0,"Test\\Encryption\\Keys\\StorageTest::testGetPathToKeys with data set #0":0,"Test\\Encryption\\Keys\\StorageTest::testGetPathToKeys with data set #1":0,"Test\\Encryption\\Keys\\StorageTest::testGetPathToKeys with data set #2":0,"Test\\Encryption\\Keys\\StorageTest::testGetPathToKeys with data set #3":0,"Test\\Encryption\\Keys\\StorageTest::testKeySetPreparation":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKeyDir with data set #0":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKeyDir with data set #1":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKeyDir with data set #2":0,"Test\\Encryption\\Keys\\StorageTest::testGetFileKeyDir with data set #3":0,"Test\\Encryption\\Keys\\StorageTest::testBackupUserKeys with data set #0":0,"Test\\Encryption\\Keys\\StorageTest::testBackupUserKeys with data set #1":0,"Test\\Encryption\\ManagerTest::testManagerIsDisabled":0.001,"Test\\Encryption\\ManagerTest::testManagerIsDisabledIfEnabledButNoModules":0,"Test\\Encryption\\ManagerTest::testManagerIsDisabledIfDisabledButModules":0,"Test\\Encryption\\ManagerTest::testManagerIsEnabled":0,"Test\\Encryption\\ManagerTest::testModuleRegistration":0.002,"Test\\Encryption\\ManagerTest::testModuleReRegistration":0.003,"Test\\Encryption\\ManagerTest::testModuleUnRegistration":0,"Test\\Encryption\\ManagerTest::testGetEncryptionModuleUnknown":0,"Test\\Encryption\\ManagerTest::testGetEncryptionModuleEmpty":0,"Test\\Encryption\\ManagerTest::testGetEncryptionModule":0,"Test\\Encryption\\ManagerTest::testSetDefaultEncryptionModule":0,"Test\\Encryption\\UpdateTest::testUpdate with data set #0":0.001,"Test\\Encryption\\UpdateTest::testUpdate with data set #1":0,"Test\\Encryption\\UpdateTest::testPostRename with data set #0":0,"Test\\Encryption\\UpdateTest::testPostRename with data set #1":0,"Test\\Encryption\\UpdateTest::testPostRename with data set #2":0,"Test\\Encryption\\UpdateTest::testPostRename with data set #3":0,"Test\\Encryption\\UpdateTest::testPostRename with data set #4":0,"Test\\Encryption\\UpdateTest::testPostRename with data set #5":0,"Test\\Encryption\\UpdateTest::testPostRestore with data set #0":0,"Test\\Encryption\\UpdateTest::testPostRestore with data set #1":0,"Test\\Encryption\\UtilTest::testGetEncryptionModuleId with data set #0":0.001,"Test\\Encryption\\UtilTest::testGetEncryptionModuleId with data set #1":0,"Test\\Encryption\\UtilTest::testGetEncryptionModuleId with data set #2":0,"Test\\Encryption\\UtilTest::testCreateHeader with data set #0":0,"Test\\Encryption\\UtilTest::testCreateHeader with data set #1":0,"Test\\Encryption\\UtilTest::testCreateHeaderFailed":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #0":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #1":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #2":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #3":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #4":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #5":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #6":0,"Test\\Encryption\\UtilTest::testIsExcluded with data set #7":0,"Test\\Encryption\\UtilTest::testIsFile with data set #0":0,"Test\\Encryption\\UtilTest::testIsFile with data set #1":0,"Test\\Encryption\\UtilTest::testIsFile with data set #2":0,"Test\\Encryption\\UtilTest::testIsFile with data set #3":0,"Test\\Encryption\\UtilTest::testIsFile with data set #4":0,"Test\\Encryption\\UtilTest::testIsFile with data set #5":0,"Test\\Encryption\\UtilTest::testIsFile with data set #6":0,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #0":0,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #1":0,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #2":0,"Test\\Encryption\\UtilTest::testStripPartialFileExtension with data set #3":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #0":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #1":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #2":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #3":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #4":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #5":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #6":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #7":0,"Test\\ErrorHandlerTest::testRemovePassword with data set #8":0,"lib\\EventDispatcher\\SymfonyAdapterTest::testDispatchTypedEvent":0,"lib\\EventDispatcher\\SymfonyAdapterTest::testDispatchSymfonyGenericEvent":0,"lib\\EventDispatcher\\SymfonyAdapterTest::testDispatchOldSymfonyEventWithFlippedArgumentOrder":0,"lib\\EventDispatcher\\SymfonyAdapterTest::testDispatchOldSymfonyEvent":0,"lib\\EventDispatcher\\SymfonyAdapterTest::testDispatchCustomGenericEventWithFlippedArgumentOrder":0,"lib\\EventDispatcher\\SymfonyAdapterTest::testDispatchCustomGenericEvent":0,"lib\\EventDispatcher\\SymfonyAdapterTest::testDispatchEventWithoutPayload":0,"Test\\Federation\\CloudIdManagerTest::testResolveCloudId with data set #0":0,"Test\\Federation\\CloudIdManagerTest::testResolveCloudId with data set #1":0,"Test\\Federation\\CloudIdManagerTest::testResolveCloudId with data set #2":0,"Test\\Federation\\CloudIdManagerTest::testResolveCloudId with data set #3":0,"Test\\Federation\\CloudIdManagerTest::testResolveCloudId with data set #4":0,"Test\\Federation\\CloudIdManagerTest::testInvalidCloudId with data set #0":0,"Test\\Federation\\CloudIdManagerTest::testInvalidCloudId with data set #1":0,"Test\\Federation\\CloudIdManagerTest::testInvalidCloudId with data set #2":0,"Test\\Federation\\CloudIdManagerTest::testGetCloudId with data set #0":0,"Test\\Federation\\CloudIdManagerTest::testGetCloudId with data set #1":0,"Test\\Federation\\CloudIdManagerTest::testGetCloudId with data set #2":0,"Test\\Federation\\CloudIdTest::testGetDisplayCloudId with data set #0":0,"Test\\Federation\\CloudIdTest::testGetDisplayCloudId with data set #1":0,"Test\\Federation\\CloudIdTest::testGetDisplayCloudId with data set #2":0,"Test\\FileChunkingTest::testIsComplete with data set #0":0.005,"Test\\FileChunkingTest::testIsComplete with data set #1":0,"Test\\FileChunkingTest::testIsComplete with data set #2":0,"Test\\FileChunkingTest::testIsComplete with data set #3":0,"Test\\FileChunkingTest::testIsComplete with data set #4":0,"Test\\FileChunkingTest::testIsComplete with data set #5":0,"Test\\FileChunkingTest::testIsComplete with data set #6":0,"Test\\FileChunkingTest::testIsComplete with data set #7":0,"Test\\FileChunkingTest::testIsComplete with data set #8":0,"Test\\FileChunkingTest::testIsComplete with data set #9":0,"Test\\FileChunkingTest::testIsComplete with data set #10":0,"Test\\Files\\AppData\\AppDataTest::testGetFolder":0,"Test\\Files\\AppData\\AppDataTest::testNewFolder":0,"Test\\Files\\AppData\\AppDataTest::testGetDirectoryListing":0,"Test\\Files\\AppData\\FactoryTest::testGet":0,"Test\\Files\\Cache\\CacheTest::testGetNumericId":0.001,"Test\\Files\\Cache\\CacheTest::testSimple":0.003,"Test\\Files\\Cache\\CacheTest::testPartial":0.001,"Test\\Files\\Cache\\CacheTest::testFolder with data set #0":0.003,"Test\\Files\\Cache\\CacheTest::testFolder with data set #1":0.003,"Test\\Files\\Cache\\CacheTest::testFolder with data set #2":0.003,"Test\\Files\\Cache\\CacheTest::testFolder with data set #3":0.004,"Test\\Files\\Cache\\CacheTest::testFolder with data set #4":0.004,"Test\\Files\\Cache\\CacheTest::testRemoveRecursive":0.003,"Test\\Files\\Cache\\CacheTest::testEncryptedFolder":0.004,"Test\\Files\\Cache\\CacheTest::testRootFolderSizeForNonHomeStorage":0.002,"Test\\Files\\Cache\\CacheTest::testStatus":0.001,"Test\\Files\\Cache\\CacheTest::testPutWithAllKindOfQuotes with data set #0":0.001,"Test\\Files\\Cache\\CacheTest::testPutWithAllKindOfQuotes with data set #1":0.001,"Test\\Files\\Cache\\CacheTest::testPutWithAllKindOfQuotes with data set #2":0.001,"Test\\Files\\Cache\\CacheTest::testSearch":0.003,"Test\\Files\\Cache\\CacheTest::testSearchQueryByTag":0.155,"Test\\Files\\Cache\\CacheTest::testSearchByQuery":0.002,"Test\\Files\\Cache\\CacheTest::testMove with data set #0":0.004,"Test\\Files\\Cache\\CacheTest::testMove with data set #1":0.003,"Test\\Files\\Cache\\CacheTest::testMove with data set #2":0.003,"Test\\Files\\Cache\\CacheTest::testGetIncomplete":0.001,"Test\\Files\\Cache\\CacheTest::testNonExisting":0.001,"Test\\Files\\Cache\\CacheTest::testGetById":0.001,"Test\\Files\\Cache\\CacheTest::testStorageMTime":0.001,"Test\\Files\\Cache\\CacheTest::testLongId":0.001,"Test\\Files\\Cache\\CacheTest::testWithoutNormalizer":0.002,"Test\\Files\\Cache\\CacheTest::testWithNormalizer":0,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #0":0.001,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #1":0.001,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #2":0.001,"Test\\Files\\Cache\\CacheTest::testBogusPaths with data set #3":0.001,"Test\\Files\\Cache\\CacheTest::testNoReuseOfFileId":0.001,"Test\\Files\\Cache\\CacheTest::testEscaping with data set #0":0.006,"Test\\Files\\Cache\\CacheTest::testEscaping with data set #1":0.006,"Test\\Files\\Cache\\CacheTest::testEscaping with data set #2":0.006,"Test\\Files\\Cache\\CacheTest::testExtended":0.003,"Test\\Files\\Cache\\HomeCacheTest::testRootFolderSizeIgnoresUnknownUpdate":0.003,"Test\\Files\\Cache\\HomeCacheTest::testRootFolderSizeIsFilesSize":0.002,"Test\\Files\\Cache\\LocalRootScannerTest::testDontScanUsers":0.001,"Test\\Files\\Cache\\LocalRootScannerTest::testDoScanAppData":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testGetNumericId":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSimple":0.003,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testPartial":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #0":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #1":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #2":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #3":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testFolder with data set #4":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testRemoveRecursive":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEncryptedFolder":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testRootFolderSizeForNonHomeStorage":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testStatus":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testPutWithAllKindOfQuotes with data set #0":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testPutWithAllKindOfQuotes with data set #1":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testPutWithAllKindOfQuotes with data set #2":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSearch":0.003,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSearchQueryByTag":0.149,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testSearchByQuery":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testMove with data set #0":0.005,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testMove with data set #1":0.004,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testMove with data set #2":0.005,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testGetIncomplete":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testNonExisting":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testGetById":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testStorageMTime":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testLongId":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testWithoutNormalizer":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testWithNormalizer":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #0":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #1":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #2":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testBogusPaths with data set #3":0.001,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testNoReuseOfFileId":0.002,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEscaping with data set #0":0.008,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEscaping with data set #1":0.008,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testEscaping with data set #2":0.008,"Test\\Files\\Cache\\MoveFromCacheTraitTest::testExtended":0.004,"Test\\Files\\Cache\\PropagatorTest::testEtagPropagation":0.003,"Test\\Files\\Cache\\PropagatorTest::testTimePropagation":0.003,"Test\\Files\\Cache\\PropagatorTest::testSizePropagation":0.003,"Test\\Files\\Cache\\PropagatorTest::testSizePropagationNoNegative":0.003,"Test\\Files\\Cache\\PropagatorTest::testBatchedPropagation":0.007,"Test\\Files\\Cache\\ScannerTest::testFile":0.007,"Test\\Files\\Cache\\ScannerTest::testFile4Byte":0.001,"Test\\Files\\Cache\\ScannerTest::testFileInvalidChars":0.001,"Test\\Files\\Cache\\ScannerTest::testFolder":0.003,"Test\\Files\\Cache\\ScannerTest::testShallow":0.004,"Test\\Files\\Cache\\ScannerTest::testBackgroundScan":0.005,"Test\\Files\\Cache\\ScannerTest::testBackgroundScanOnlyRecurseIncomplete":0.003,"Test\\Files\\Cache\\ScannerTest::testBackgroundScanNestedIncompleteFolders":0.01,"Test\\Files\\Cache\\ScannerTest::testReuseExisting":0.007,"Test\\Files\\Cache\\ScannerTest::testRemovedFile":0.003,"Test\\Files\\Cache\\ScannerTest::testRemovedFolder":0.003,"Test\\Files\\Cache\\ScannerTest::testScanRemovedFile":0.003,"Test\\Files\\Cache\\ScannerTest::testETagRecreation":0.004,"Test\\Files\\Cache\\ScannerTest::testRepairParent":0.004,"Test\\Files\\Cache\\ScannerTest::testRepairParentShallow":0.004,"Test\\Files\\Cache\\ScannerTest::testIsPartialFile with data set #0":0,"Test\\Files\\Cache\\ScannerTest::testIsPartialFile with data set #1":0,"Test\\Files\\Cache\\ScannerTest::testIsPartialFile with data set #2":0,"Test\\Files\\Cache\\ScannerTest::testIsPartialFile with data set #3":0,"Test\\Files\\Cache\\ScannerTest::testIsPartialFile with data set #4":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #0":0.001,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #1":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #2":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #3":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #4":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #5":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #6":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #7":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #8":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #9":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #10":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #11":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #12":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #13":0,"Test\\Files\\Cache\\SearchBuilderTest::testComparison with data set #14":0,"Test\\Files\\Cache\\UpdaterLegacyTest::testWrite":0.143,"Test\\Files\\Cache\\UpdaterLegacyTest::testWriteWithMountPoints":0.138,"Test\\Files\\Cache\\UpdaterLegacyTest::testDelete":0.145,"Test\\Files\\Cache\\UpdaterLegacyTest::testDeleteWithMountPoints":0.157,"Test\\Files\\Cache\\UpdaterLegacyTest::testRename":0.146,"Test\\Files\\Cache\\UpdaterLegacyTest::testRenameExtension":0.152,"Test\\Files\\Cache\\UpdaterLegacyTest::testRenameWithMountPoints":0.142,"Test\\Files\\Cache\\UpdaterLegacyTest::testTouch":0.137,"Test\\Files\\Cache\\UpdaterTest::testNewFile":0.002,"Test\\Files\\Cache\\UpdaterTest::testUpdatedFile":0.002,"Test\\Files\\Cache\\UpdaterTest::testParentSize":0.004,"Test\\Files\\Cache\\UpdaterTest::testMove":0.003,"Test\\Files\\Cache\\UpdaterTest::testMoveNonExistingOverwrite":0.003,"Test\\Files\\Cache\\UpdaterTest::testUpdateStorageMTime":0.006,"Test\\Files\\Cache\\UpdaterTest::testNewFileDisabled":0.001,"Test\\Files\\Cache\\UpdaterTest::testMoveCrossStorage":0.004,"Test\\Files\\Cache\\UpdaterTest::testMoveFolderCrossStorage":0.006,"Test\\Files\\Cache\\WatcherTest::testWatcher":0.007,"Test\\Files\\Cache\\WatcherTest::testFileToFolder":0.008,"Test\\Files\\Cache\\WatcherTest::testPolicyNever":0.003,"Test\\Files\\Cache\\WatcherTest::testPolicyOnce":0.004,"Test\\Files\\Cache\\WatcherTest::testPolicyAlways":0.005,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchOutsideJail":0.004,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchMimeOutsideJail":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchQueryOutsideJail":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testClearKeepEntriesOutsideJail":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testGetById":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testGetIncomplete":0,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMoveFromJail":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMoveToJail":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMoveBetweenJail":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchNested":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testRootJail":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testGetNumericId":0,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSimple":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testPartial":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #0":0.004,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #1":0.004,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #2":0.004,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #3":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testFolder with data set #4":0.004,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testRemoveRecursive":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEncryptedFolder":0.004,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testRootFolderSizeForNonHomeStorage":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testStatus":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testPutWithAllKindOfQuotes with data set #0":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testPutWithAllKindOfQuotes with data set #1":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testPutWithAllKindOfQuotes with data set #2":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearch":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchQueryByTag":0.137,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testSearchByQuery":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMove with data set #0":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMove with data set #1":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testMove with data set #2":0.003,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testNonExisting":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testStorageMTime":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testLongId":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testWithoutNormalizer":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testWithNormalizer":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #0":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #1":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #2":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testBogusPaths with data set #3":0.002,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testNoReuseOfFileId":0.001,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEscaping with data set #0":0.006,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEscaping with data set #1":0.006,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testEscaping with data set #2":0.006,"Test\\Files\\Cache\\Wrapper\\CacheJailTest::testExtended":0.004,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #0":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #1":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #2":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetMasked with data set #3":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #0":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #1":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #2":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetFolderContentMasked with data set #3":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #0":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #1":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #2":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchMasked with data set #3":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetNumericId":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSimple":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testPartial":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #0":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #1":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #2":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #3":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testFolder with data set #4":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testRemoveRecursive":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEncryptedFolder":0.004,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testRootFolderSizeForNonHomeStorage":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testStatus":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testPutWithAllKindOfQuotes with data set #0":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testPutWithAllKindOfQuotes with data set #1":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testPutWithAllKindOfQuotes with data set #2":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearch":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchQueryByTag":0.142,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testSearchByQuery":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testMove with data set #0":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testMove with data set #1":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testMove with data set #2":0.003,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetIncomplete":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testNonExisting":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testGetById":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testStorageMTime":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testLongId":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testWithoutNormalizer":0.002,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testWithNormalizer":0,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #0":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #1":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #2":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testBogusPaths with data set #3":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testNoReuseOfFileId":0.001,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEscaping with data set #0":0.006,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEscaping with data set #1":0.006,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testEscaping with data set #2":0.006,"Test\\Files\\Cache\\Wrapper\\CachePermissionsMaskTest::testExtended":0.003,"Test\\Files\\Config\\UserMountCacheTest::testNewMounts":0.002,"Test\\Files\\Config\\UserMountCacheTest::testSameMounts":0.001,"Test\\Files\\Config\\UserMountCacheTest::testRemoveMounts":0.001,"Test\\Files\\Config\\UserMountCacheTest::testChangeMounts":0.001,"Test\\Files\\Config\\UserMountCacheTest::testChangeMountId":0.001,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsForUser":0.002,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsByStorageId":0.001,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsByRootId":0.001,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsForFileIdRootId":0.001,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsForFileIdSubFolder":0.001,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsForFileIdSubFolderMount":0.001,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsForFileIdSubFolderMountOutside":0.001,"Test\\Files\\Config\\UserMountCacheTest::testGetMountsForFileIdDeletedUser":0.002,"Test\\Files\\Config\\UserMountCacheTest::testGetUsedSpaceForUsers":0.001,"Test\\Files\\EtagTest::testNewUser":0.011,"Test\\Files\\FileInfoTest::testIsMountedHomeStorage":0,"Test\\Files\\FileInfoTest::testIsMountedNonHomeStorage":0,"Test\\Files\\FilesystemTest::testMount":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #0":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #1":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #2":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #3":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #4":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #5":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #6":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #7":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #8":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #9":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #10":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #11":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #12":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #13":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #14":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #15":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #16":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #17":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #18":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #19":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #20":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #21":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #22":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #23":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #24":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #25":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #26":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #27":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #28":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #29":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #30":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #31":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #32":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #33":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #34":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #35":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #36":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #37":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #38":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #39":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #40":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #41":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #42":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #43":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #44":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #45":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #46":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #47":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #48":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #49":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #50":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #51":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #52":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #53":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #54":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #55":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #56":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #57":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #58":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #59":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #60":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #61":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #62":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #63":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #64":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #65":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #66":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #67":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #68":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #69":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #70":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #71":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #72":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #73":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #74":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #75":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #76":0,"Test\\Files\\FilesystemTest::testNormalizePath with data set #77":0,"Test\\Files\\FilesystemTest::testNormalizePathKeepUnicode with data set #0":0,"Test\\Files\\FilesystemTest::testNormalizePathKeepUnicode with data set #1":0,"Test\\Files\\FilesystemTest::testNormalizePathKeepUnicode with data set #2":0,"Test\\Files\\FilesystemTest::testNormalizePathKeepUnicode with data set #3":0,"Test\\Files\\FilesystemTest::testNormalizePathKeepUnicodeCache":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #0":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #1":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #2":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #3":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #4":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #5":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #6":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #7":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #8":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #9":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #10":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #11":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #12":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #13":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #14":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #15":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #16":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #17":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #18":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #19":0,"Test\\Files\\FilesystemTest::testIsValidPath with data set #20":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #0":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #1":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #2":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #3":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #4":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #5":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #6":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #7":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #8":0,"Test\\Files\\FilesystemTest::testIsFileBlacklisted with data set #9":0,"Test\\Files\\FilesystemTest::testNormalizePathUTF8":0,"Test\\Files\\FilesystemTest::testHooks":0.004,"Test\\Files\\FilesystemTest::testLocalMountWhenUserDoesNotExist":0,"Test\\Files\\FilesystemTest::testNullUserThrows":0,"Test\\Files\\FilesystemTest::testNullUserThrowsTwice":0,"Test\\Files\\FilesystemTest::testLocalMountWhenUserDoesNotExistTwice":0,"Test\\Files\\FilesystemTest::testHomeMount":0.007,"Test\\Files\\FilesystemTest::testMountDefaultCacheDir":0.006,"Test\\Files\\FilesystemTest::testMountExternalCacheDir":0.007,"Test\\Files\\FilesystemTest::testRegisterMountProviderAfterSetup":0.001,"Test\\Files\\Mount\\ManagerTest::testFind":0.001,"Test\\Files\\Mount\\ManagerTest::testLong":0,"Test\\Files\\Mount\\MountPointTest::testGetStorage":0.001,"Test\\Files\\Mount\\MountPointTest::testInvalidStorage":0.006,"Test\\Files\\Mount\\MountTest::testFromStorageObject":0.001,"Test\\Files\\Mount\\MountTest::testFromStorageClassname":0,"Test\\Files\\Mount\\MountTest::testWrapper":0,"Test\\Files\\Mount\\ObjectHomeMountProviderTest::testSingleBucket":0,"Test\\Files\\Mount\\ObjectHomeMountProviderTest::testMultiBucket":0.001,"Test\\Files\\Mount\\ObjectHomeMountProviderTest::testMultiBucketWithPrefix":0,"Test\\Files\\Mount\\ObjectHomeMountProviderTest::testMultiBucketBucketAlreadySet":0,"Test\\Files\\Mount\\ObjectHomeMountProviderTest::testMultiBucketConfigFirst":0,"Test\\Files\\Mount\\ObjectHomeMountProviderTest::testMultiBucketConfigFirstFallBackSingle":0,"Test\\Files\\Mount\\ObjectHomeMountProviderTest::testNoObjectStore":0,"Test\\Files\\Mount\\ObjectStorePreviewCacheMountProviderTest::testNoMultibucketObjectStorage":0,"Test\\Files\\Mount\\ObjectStorePreviewCacheMountProviderTest::testMultibucketObjectStorage":0.005,"Test\\Files\\Mount\\RootMountProviderTest::testLocal":0,"Test\\Files\\Mount\\RootMountProviderTest::testObjectStore":0.001,"Test\\Files\\Mount\\RootMountProviderTest::testObjectStoreMultiBucket":0.001,"Test\\Files\\Node\\FileTest::testGetContent":0.002,"Test\\Files\\Node\\FileTest::testGetContentNotPermitted":0,"Test\\Files\\Node\\FileTest::testPutContent":0,"Test\\Files\\Node\\FileTest::testPutContentNotPermitted":0,"Test\\Files\\Node\\FileTest::testGetMimeType":0,"Test\\Files\\Node\\FileTest::testFOpenRead":0,"Test\\Files\\Node\\FileTest::testFOpenWrite":0,"Test\\Files\\Node\\FileTest::testFOpenReadNotPermitted":0,"Test\\Files\\Node\\FileTest::testFOpenReadWriteNoReadPermissions":0,"Test\\Files\\Node\\FileTest::testFOpenReadWriteNoWritePermissions":0,"Test\\Files\\Node\\FileTest::testDelete":0,"Test\\Files\\Node\\FileTest::testDeleteHooks":0,"Test\\Files\\Node\\FileTest::testDeleteNotPermitted":0,"Test\\Files\\Node\\FileTest::testStat":0,"Test\\Files\\Node\\FileTest::testGetId":0,"Test\\Files\\Node\\FileTest::testGetSize":0,"Test\\Files\\Node\\FileTest::testGetEtag":0,"Test\\Files\\Node\\FileTest::testGetMTime":0,"Test\\Files\\Node\\FileTest::testGetStorage":0,"Test\\Files\\Node\\FileTest::testGetPath":0,"Test\\Files\\Node\\FileTest::testGetInternalPath":0,"Test\\Files\\Node\\FileTest::testGetName":0,"Test\\Files\\Node\\FileTest::testTouchSetMTime":0,"Test\\Files\\Node\\FileTest::testTouchHooks":0,"Test\\Files\\Node\\FileTest::testTouchNotPermitted":0,"Test\\Files\\Node\\FileTest::testInvalidPath":0,"Test\\Files\\Node\\FileTest::testCopySameStorage":0.001,"Test\\Files\\Node\\FileTest::testCopyNotPermitted":0.002,"Test\\Files\\Node\\FileTest::testCopyNoParent":0,"Test\\Files\\Node\\FileTest::testCopyParentIsFile":0,"Test\\Files\\Node\\FileTest::testMoveSameStorage":0,"Test\\Files\\Node\\FileTest::testMoveCopyHooks with data set #0":0,"Test\\Files\\Node\\FileTest::testMoveCopyHooks with data set #1":0,"Test\\Files\\Node\\FileTest::testMoveNotPermitted":0,"Test\\Files\\Node\\FileTest::testMoveNoParent":0,"Test\\Files\\Node\\FileTest::testMoveParentIsFile":0,"Test\\Files\\Node\\FileTest::testMoveFailed":0,"Test\\Files\\Node\\FileTest::testCopyFailed":0,"Test\\Files\\Node\\FolderTest::testGetDirectoryContent":0.023,"Test\\Files\\Node\\FolderTest::testGet":0,"Test\\Files\\Node\\FolderTest::testNodeExists":0,"Test\\Files\\Node\\FolderTest::testNodeExistsNotExists":0,"Test\\Files\\Node\\FolderTest::testNewFolder":0.003,"Test\\Files\\Node\\FolderTest::testNewFolderNotPermitted":0.001,"Test\\Files\\Node\\FolderTest::testNewFile":0.001,"Test\\Files\\Node\\FolderTest::testNewFileNotPermitted":0,"Test\\Files\\Node\\FolderTest::testGetFreeSpace":0,"Test\\Files\\Node\\FolderTest::testSearch":0.01,"Test\\Files\\Node\\FolderTest::testSearchInRoot":0.002,"Test\\Files\\Node\\FolderTest::testSearchInStorageRoot":0.001,"Test\\Files\\Node\\FolderTest::testSearchSubStorages":0.003,"Test\\Files\\Node\\FolderTest::testIsSubNode":0,"Test\\Files\\Node\\FolderTest::testGetById":0.003,"Test\\Files\\Node\\FolderTest::testGetByIdMountRoot":0,"Test\\Files\\Node\\FolderTest::testGetByIdOutsideFolder":0,"Test\\Files\\Node\\FolderTest::testGetByIdMultipleStorages":0,"Test\\Files\\Node\\FolderTest::testGetUniqueName with data set #0":0,"Test\\Files\\Node\\FolderTest::testGetUniqueName with data set #1":0,"Test\\Files\\Node\\FolderTest::testGetUniqueName with data set #2":0,"Test\\Files\\Node\\FolderTest::testRecent":0.009,"Test\\Files\\Node\\FolderTest::testRecentFolder":0.002,"Test\\Files\\Node\\FolderTest::testRecentJail":0.002,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #0":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #1":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #2":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #3":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #4":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #5":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #6":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #7":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #8":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #9":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #10":0.003,"Test\\Files\\Node\\FolderTest::testSearchSubStoragesLimitOffset with data set #11":0.003,"Test\\Files\\Node\\FolderTest::testDelete":0.001,"Test\\Files\\Node\\FolderTest::testDeleteHooks":0,"Test\\Files\\Node\\FolderTest::testDeleteNotPermitted":0,"Test\\Files\\Node\\FolderTest::testStat":0,"Test\\Files\\Node\\FolderTest::testGetId":0,"Test\\Files\\Node\\FolderTest::testGetSize":0,"Test\\Files\\Node\\FolderTest::testGetEtag":0,"Test\\Files\\Node\\FolderTest::testGetMTime":0,"Test\\Files\\Node\\FolderTest::testGetStorage":0.001,"Test\\Files\\Node\\FolderTest::testGetPath":0,"Test\\Files\\Node\\FolderTest::testGetInternalPath":0,"Test\\Files\\Node\\FolderTest::testGetName":0,"Test\\Files\\Node\\FolderTest::testTouchSetMTime":0,"Test\\Files\\Node\\FolderTest::testTouchHooks":0,"Test\\Files\\Node\\FolderTest::testTouchNotPermitted":0,"Test\\Files\\Node\\FolderTest::testInvalidPath":0,"Test\\Files\\Node\\FolderTest::testCopySameStorage":0.001,"Test\\Files\\Node\\FolderTest::testCopyNotPermitted":0.001,"Test\\Files\\Node\\FolderTest::testCopyNoParent":0,"Test\\Files\\Node\\FolderTest::testCopyParentIsFile":0,"Test\\Files\\Node\\FolderTest::testMoveSameStorage":0,"Test\\Files\\Node\\FolderTest::testMoveCopyHooks with data set #0":0.001,"Test\\Files\\Node\\FolderTest::testMoveCopyHooks with data set #1":0,"Test\\Files\\Node\\FolderTest::testMoveNotPermitted":0,"Test\\Files\\Node\\FolderTest::testMoveNoParent":0,"Test\\Files\\Node\\FolderTest::testMoveParentIsFile":0,"Test\\Files\\Node\\FolderTest::testMoveFailed":0,"Test\\Files\\Node\\FolderTest::testCopyFailed":0,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #0":0.006,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #1":0.005,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #2":0.004,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #3":0.004,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #4":0.005,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #5":0.004,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #6":0.005,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #7":0.004,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #8":0.006,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #9":0.005,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #10":0.006,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #11":0.007,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #12":0.006,"Test\\Files\\Node\\HookConnectorTest::testViewToNode with data set #13":0.008,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #0":0.007,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #1":0.007,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #2":0.007,"Test\\Files\\Node\\HookConnectorTest::testViewToNodeCopyRename with data set #3":0.006,"Test\\Files\\Node\\HookConnectorTest::testPostDeleteMeta":0.007,"Test\\Files\\Node\\IntegrationTest::testBasicFile":0.015,"Test\\Files\\Node\\IntegrationTest::testBasicFolder":0.018,"Test\\Files\\Node\\RootTest::testGet":0,"Test\\Files\\Node\\RootTest::testGetNotFound":0,"Test\\Files\\Node\\RootTest::testGetInvalidPath":0,"Test\\Files\\Node\\RootTest::testGetNoStorages":0,"Test\\Files\\Node\\RootTest::testGetUserFolder":0.001,"Test\\Files\\Node\\RootTest::testGetUserFolderWithNoUserObj":0,"Test\\Files\\ObjectStore\\AzureTest::testWriteRead":0,"Test\\Files\\ObjectStore\\AzureTest::testDelete":0,"Test\\Files\\ObjectStore\\AzureTest::testReadNonExisting":0,"Test\\Files\\ObjectStore\\AzureTest::testDeleteNonExisting":0,"Test\\Files\\ObjectStore\\AzureTest::testExists":0,"Test\\Files\\ObjectStore\\AzureTest::testCopy":0,"Test\\Files\\ObjectStore\\LocalTest::testWriteRead":0.001,"Test\\Files\\ObjectStore\\LocalTest::testDelete":0,"Test\\Files\\ObjectStore\\LocalTest::testReadNonExisting":0,"Test\\Files\\ObjectStore\\LocalTest::testDeleteNonExisting":0,"Test\\Files\\ObjectStore\\LocalTest::testExists":0,"Test\\Files\\ObjectStore\\LocalTest::testCopy":0,"Test\\Files\\ObjectStore\\MapperTest::testGetBucket with data set #0":0,"Test\\Files\\ObjectStore\\MapperTest::testGetBucket with data set #1":0,"Test\\Files\\ObjectStore\\MapperTest::testGetBucket with data set #2":0,"Test\\Files\\ObjectStore\\MapperTest::testGetBucket with data set #3":0,"Test\\Files\\ObjectStore\\MapperTest::testGetBucket with data set #4":0,"Test\\Files\\ObjectStore\\MapperTest::testGetBucket with data set #5":0,"Test\\Files\\ObjectStore\\MapperTest::testGetBucket with data set #6":0,"Test\\Files\\ObjectStore\\NoopScannerTest::testFile":0,"Test\\Files\\ObjectStore\\NoopScannerTest::testFolder":0,"Test\\Files\\ObjectStore\\NoopScannerTest::testBackgroundScan":0,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testStat":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCheckUpdate":0.001,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #0":0.005,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #1":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #2":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #3":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #4":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #5":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #6":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMove with data set #7":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameDirectory":0.007,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameOverWriteDirectory":0.006,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameOverWriteDirectoryOverFile":0.005,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testWriteObjectSilentFailure":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDeleteObjectFailureKeepCache":0.005,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyBetweenJails":0.007,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRoot":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testTestFunction":0.001,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #0":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #1":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #2":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #3":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #4":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testDirectories with data set #5":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testGetPutContents with data set #0":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testGetPutContents with data set #1":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMimeType":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #0":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #1":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #2":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #3":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #4":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #5":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #6":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopy with data set #7":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #0":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #1":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #2":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #3":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #4":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #5":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #6":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverwrite with data set #7":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #0":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #1":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #2":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #3":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #4":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #5":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #6":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testMoveOverwrite with data set #7":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testLocal":0.005,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testUnlink":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #0":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #1":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #2":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #3":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #4":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testFOpen with data set #5":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testTouchCreateFile":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRecursiveRmdir":0.005,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRmdirEmptyFolder":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRecursiveUnlink":0.005,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHash with data set #0":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHash with data set #1":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHash with data set #2":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testHashInFileName":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverWriteFile":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testRenameOverWriteFile":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyDirectory":0.007,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverWriteDirectory":0.005,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyOverWriteDirectoryOverFile":0.004,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testInstanceOfStorage":0.001,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #0":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #1":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #2":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #3":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #4":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #5":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #6":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testCopyFromSameStorage with data set #7":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsCreatable":0.001,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsReadable":0.001,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsUpdatable":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsDeletable":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testIsShareable":0.002,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testStatAfterWrite":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testPartFile":0.003,"Test\\Files\\ObjectStore\\ObjectStoreStorageTest::testWriteStream":0.004,"Test\\Files\\ObjectStore\\S3Test::testUploadNonSeekable":0,"Test\\Files\\ObjectStore\\S3Test::testSeek":0,"Test\\Files\\ObjectStore\\S3Test::testEmptyUpload":0,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #0":0,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #1":0,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #2":0,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #3":0,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #4":0,"Test\\Files\\ObjectStore\\S3Test::testFileSizes with data set #5":0,"Test\\Files\\ObjectStore\\S3Test::testWriteRead":0,"Test\\Files\\ObjectStore\\S3Test::testDelete":0,"Test\\Files\\ObjectStore\\S3Test::testReadNonExisting":0,"Test\\Files\\ObjectStore\\S3Test::testDeleteNonExisting":0,"Test\\Files\\ObjectStore\\S3Test::testExists":0,"Test\\Files\\ObjectStore\\S3Test::testCopy":0,"Test\\Files\\ObjectStore\\SwiftTest::testWriteRead":0,"Test\\Files\\ObjectStore\\SwiftTest::testDelete":0,"Test\\Files\\ObjectStore\\SwiftTest::testReadNonExisting":0,"Test\\Files\\ObjectStore\\SwiftTest::testDeleteNonExisting":0,"Test\\Files\\ObjectStore\\SwiftTest::testExists":0,"Test\\Files\\ObjectStore\\SwiftTest::testCopy":0,"Test\\Files\\PathVerificationTest::testPathVerificationFileNameTooLong":0,"Test\\Files\\PathVerificationTest::testPathVerificationEmptyFileName with data set #0":0,"Test\\Files\\PathVerificationTest::testPathVerificationEmptyFileName with data set #1":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #0":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #1":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #2":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #3":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #4":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #5":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #6":0,"Test\\Files\\PathVerificationTest::testPathVerificationDotFiles with data set #7":0,"Test\\Files\\PathVerificationTest::testPathVerificationAstralPlane with data set #0":0,"Test\\Files\\PathVerificationTest::testPathVerificationAstralPlane with data set #1":0,"Test\\Files\\PathVerificationTest::testPathVerificationAstralPlane with data set #2":0,"Test\\Files\\PathVerificationTest::testPathVerificationAstralPlane with data set #3":0,"Test\\Files\\PathVerificationTest::testPathVerificationAstralPlane with data set #4":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #0":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #1":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #2":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #3":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #4":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #5":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #6":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #7":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #8":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #9":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #10":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #11":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #12":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #13":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #14":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #15":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #16":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #17":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #18":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #19":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #20":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #21":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #22":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #23":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #24":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #25":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #26":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #27":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #28":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #29":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #30":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #31":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #32":0,"Test\\Files\\PathVerificationTest::testPathVerificationInvalidCharsPosix with data set #33":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #0":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #1":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #2":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #3":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #4":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #5":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #6":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #7":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #8":0,"Test\\Files\\PathVerificationTest::testPathVerificationValidPaths with data set #9":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testPutContent":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testDelete":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testGetName":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testGetSize":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testGetContent":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testGetMTime":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testGetMimeType":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testRead":0,"Test\\File\\SimpleFS\\InMemoryFileTest::testWrite":0,"Test\\File\\SimpleFS\\SimpleFileTest::testGetName":0.001,"Test\\File\\SimpleFS\\SimpleFileTest::testGetSize":0,"Test\\File\\SimpleFS\\SimpleFileTest::testGetETag":0,"Test\\File\\SimpleFS\\SimpleFileTest::testGetMTime":0,"Test\\File\\SimpleFS\\SimpleFileTest::testGetContent":0,"Test\\File\\SimpleFS\\SimpleFileTest::testPutContent":0,"Test\\File\\SimpleFS\\SimpleFileTest::testDelete":0,"Test\\File\\SimpleFS\\SimpleFileTest::testGetMimeType":0,"Test\\File\\SimpleFS\\SimpleFileTest::testGetContentInvalidAppData":0,"Test\\File\\SimpleFS\\SimpleFileTest::testRead":0,"Test\\File\\SimpleFS\\SimpleFileTest::testWrite":0,"Test\\File\\SimpleFS\\SimpleFolderTest::testGetName":0.007,"Test\\File\\SimpleFS\\SimpleFolderTest::testDelete":0.005,"Test\\File\\SimpleFS\\SimpleFolderTest::testFileExists":0.005,"Test\\File\\SimpleFS\\SimpleFolderTest::testGetFile":0.007,"Test\\File\\SimpleFS\\SimpleFolderTest::testNewFile":0.005,"Test\\File\\SimpleFS\\SimpleFolderTest::testGetDirectoryListing":0.008,"Test\\Files\\Storage\\CommonTest::testMoveFromStorageWrapped":0.001,"Test\\Files\\Storage\\CommonTest::testMoveFromStorageJailed":0,"Test\\Files\\Storage\\CommonTest::testMoveFromStorageNestedJail":0,"Test\\Files\\Storage\\CommonTest::testRoot":0,"Test\\Files\\Storage\\CommonTest::testTestFunction":0,"Test\\Files\\Storage\\CommonTest::testDirectories with data set #0":0,"Test\\Files\\Storage\\CommonTest::testDirectories with data set #1":0,"Test\\Files\\Storage\\CommonTest::testDirectories with data set #2":0,"Test\\Files\\Storage\\CommonTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\CommonTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\CommonTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\CommonTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\CommonTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\CommonTest::testMimeType":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #0":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #1":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #2":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #3":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #4":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #5":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #6":0,"Test\\Files\\Storage\\CommonTest::testCopy with data set #7":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #0":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #1":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #2":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #3":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #4":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #5":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #6":0,"Test\\Files\\Storage\\CommonTest::testMove with data set #7":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\CommonTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\CommonTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\CommonTest::testLocal":0.001,"Test\\Files\\Storage\\CommonTest::testStat":0,"Test\\Files\\Storage\\CommonTest::testCheckUpdate":0.002,"Test\\Files\\Storage\\CommonTest::testUnlink":0,"Test\\Files\\Storage\\CommonTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\CommonTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\CommonTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\CommonTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\CommonTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\CommonTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\CommonTest::testTouchCreateFile":0,"Test\\Files\\Storage\\CommonTest::testRecursiveRmdir":0.001,"Test\\Files\\Storage\\CommonTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\CommonTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\CommonTest::testHash with data set #0":0,"Test\\Files\\Storage\\CommonTest::testHash with data set #1":0,"Test\\Files\\Storage\\CommonTest::testHash with data set #2":0,"Test\\Files\\Storage\\CommonTest::testHashInFileName":0,"Test\\Files\\Storage\\CommonTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\CommonTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\CommonTest::testRenameDirectory":0.001,"Test\\Files\\Storage\\CommonTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\CommonTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\CommonTest::testCopyDirectory":0,"Test\\Files\\Storage\\CommonTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\CommonTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\CommonTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\CommonTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\CommonTest::testIsCreatable":0,"Test\\Files\\Storage\\CommonTest::testIsReadable":0,"Test\\Files\\Storage\\CommonTest::testIsUpdatable":0,"Test\\Files\\Storage\\CommonTest::testIsDeletable":0,"Test\\Files\\Storage\\CommonTest::testIsShareable":0,"Test\\Files\\Storage\\CommonTest::testStatAfterWrite":0,"Test\\Files\\Storage\\CommonTest::testPartFile":0,"Test\\Files\\Storage\\CommonTest::testWriteStream":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRoot":0,"Test\\Files\\Storage\\CopyDirectoryTest::testTestFunction":0,"Test\\Files\\Storage\\CopyDirectoryTest::testDirectories with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testDirectories with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testDirectories with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\CopyDirectoryTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\CopyDirectoryTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\CopyDirectoryTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMimeType":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #3":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #4":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #5":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #6":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopy with data set #7":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #3":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #4":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #5":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #6":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMove with data set #7":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\CopyDirectoryTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\CopyDirectoryTest::testLocal":0,"Test\\Files\\Storage\\CopyDirectoryTest::testStat":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCheckUpdate":0.002,"Test\\Files\\Storage\\CopyDirectoryTest::testUnlink":0,"Test\\Files\\Storage\\CopyDirectoryTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\CopyDirectoryTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\CopyDirectoryTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\CopyDirectoryTest::testTouchCreateFile":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRecursiveRmdir":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\CopyDirectoryTest::testHash with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testHash with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testHash with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testHashInFileName":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRenameDirectory":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\CopyDirectoryTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyDirectory":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\CopyDirectoryTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\CopyDirectoryTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\CopyDirectoryTest::testIsCreatable":0,"Test\\Files\\Storage\\CopyDirectoryTest::testIsReadable":0,"Test\\Files\\Storage\\CopyDirectoryTest::testIsUpdatable":0,"Test\\Files\\Storage\\CopyDirectoryTest::testIsDeletable":0,"Test\\Files\\Storage\\CopyDirectoryTest::testIsShareable":0,"Test\\Files\\Storage\\CopyDirectoryTest::testStatAfterWrite":0,"Test\\Files\\Storage\\CopyDirectoryTest::testPartFile":0,"Test\\Files\\Storage\\CopyDirectoryTest::testWriteStream":0,"Test\\Files\\Storage\\HomeStorageQuotaTest::testHomeStorageWrapperWithoutQuota":0.009,"Test\\Files\\Storage\\HomeStorageQuotaTest::testHomeStorageWrapperWithQuota":0.008,"Test\\Files\\Storage\\HomeTest::testId":0,"Test\\Files\\Storage\\HomeTest::testGetCacheReturnsHomeCache":0,"Test\\Files\\Storage\\HomeTest::testGetOwner":0,"Test\\Files\\Storage\\HomeTest::testRoot":0,"Test\\Files\\Storage\\HomeTest::testTestFunction":0,"Test\\Files\\Storage\\HomeTest::testDirectories with data set #0":0,"Test\\Files\\Storage\\HomeTest::testDirectories with data set #1":0,"Test\\Files\\Storage\\HomeTest::testDirectories with data set #2":0,"Test\\Files\\Storage\\HomeTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\HomeTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\HomeTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\HomeTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\HomeTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\HomeTest::testMimeType":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #0":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #1":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #2":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #3":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #4":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #5":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #6":0,"Test\\Files\\Storage\\HomeTest::testCopy with data set #7":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #0":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #1":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #2":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #3":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #4":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #5":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #6":0,"Test\\Files\\Storage\\HomeTest::testMove with data set #7":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\HomeTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\HomeTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\HomeTest::testLocal":0,"Test\\Files\\Storage\\HomeTest::testStat":0,"Test\\Files\\Storage\\HomeTest::testCheckUpdate":0.002,"Test\\Files\\Storage\\HomeTest::testUnlink":0,"Test\\Files\\Storage\\HomeTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\HomeTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\HomeTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\HomeTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\HomeTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\HomeTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\HomeTest::testTouchCreateFile":0,"Test\\Files\\Storage\\HomeTest::testRecursiveRmdir":0,"Test\\Files\\Storage\\HomeTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\HomeTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\HomeTest::testHash with data set #0":0,"Test\\Files\\Storage\\HomeTest::testHash with data set #1":0,"Test\\Files\\Storage\\HomeTest::testHash with data set #2":0,"Test\\Files\\Storage\\HomeTest::testHashInFileName":0,"Test\\Files\\Storage\\HomeTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\HomeTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\HomeTest::testRenameDirectory":0,"Test\\Files\\Storage\\HomeTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\HomeTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\HomeTest::testCopyDirectory":0,"Test\\Files\\Storage\\HomeTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\HomeTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\HomeTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\HomeTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\HomeTest::testIsCreatable":0,"Test\\Files\\Storage\\HomeTest::testIsReadable":0,"Test\\Files\\Storage\\HomeTest::testIsUpdatable":0,"Test\\Files\\Storage\\HomeTest::testIsDeletable":0,"Test\\Files\\Storage\\HomeTest::testIsShareable":0,"Test\\Files\\Storage\\HomeTest::testStatAfterWrite":0,"Test\\Files\\Storage\\HomeTest::testPartFile":0,"Test\\Files\\Storage\\HomeTest::testWriteStream":0,"Test\\Files\\Storage\\LocalTest::testStableEtag":0,"Test\\Files\\Storage\\LocalTest::testEtagChange":0,"Test\\Files\\Storage\\LocalTest::testInvalidArgumentsEmptyArray":0,"Test\\Files\\Storage\\LocalTest::testInvalidArgumentsNoArray":0,"Test\\Files\\Storage\\LocalTest::testDisallowSymlinksOutsideDatadir":0,"Test\\Files\\Storage\\LocalTest::testDisallowSymlinksInsideDatadir":0,"Test\\Files\\Storage\\LocalTest::testWriteUmaskFilePutContents":0,"Test\\Files\\Storage\\LocalTest::testWriteUmaskMkdir":0,"Test\\Files\\Storage\\LocalTest::testWriteUmaskFopen":0,"Test\\Files\\Storage\\LocalTest::testWriteUmaskCopy":0,"Test\\Files\\Storage\\LocalTest::testRoot":0,"Test\\Files\\Storage\\LocalTest::testTestFunction":0,"Test\\Files\\Storage\\LocalTest::testDirectories with data set #0":0,"Test\\Files\\Storage\\LocalTest::testDirectories with data set #1":0,"Test\\Files\\Storage\\LocalTest::testDirectories with data set #2":0.001,"Test\\Files\\Storage\\LocalTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\LocalTest::testDirectories with data set #4":0.001,"Test\\Files\\Storage\\LocalTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\LocalTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\LocalTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\LocalTest::testMimeType":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #0":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #1":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #2":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #3":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #4":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #5":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #6":0,"Test\\Files\\Storage\\LocalTest::testCopy with data set #7":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #0":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #1":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #2":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #3":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #4":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #5":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #6":0,"Test\\Files\\Storage\\LocalTest::testMove with data set #7":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\LocalTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\LocalTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\LocalTest::testLocal":0,"Test\\Files\\Storage\\LocalTest::testStat":0,"Test\\Files\\Storage\\LocalTest::testCheckUpdate":0.002,"Test\\Files\\Storage\\LocalTest::testUnlink":0,"Test\\Files\\Storage\\LocalTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\LocalTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\LocalTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\LocalTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\LocalTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\LocalTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\LocalTest::testTouchCreateFile":0,"Test\\Files\\Storage\\LocalTest::testRecursiveRmdir":0,"Test\\Files\\Storage\\LocalTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\LocalTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\LocalTest::testHash with data set #0":0,"Test\\Files\\Storage\\LocalTest::testHash with data set #1":0,"Test\\Files\\Storage\\LocalTest::testHash with data set #2":0,"Test\\Files\\Storage\\LocalTest::testHashInFileName":0,"Test\\Files\\Storage\\LocalTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\LocalTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\LocalTest::testRenameDirectory":0,"Test\\Files\\Storage\\LocalTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\LocalTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\LocalTest::testCopyDirectory":0,"Test\\Files\\Storage\\LocalTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\LocalTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\LocalTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\LocalTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\LocalTest::testIsCreatable":0,"Test\\Files\\Storage\\LocalTest::testIsReadable":0,"Test\\Files\\Storage\\LocalTest::testIsUpdatable":0,"Test\\Files\\Storage\\LocalTest::testIsDeletable":0,"Test\\Files\\Storage\\LocalTest::testIsShareable":0,"Test\\Files\\Storage\\LocalTest::testStatAfterWrite":0,"Test\\Files\\Storage\\LocalTest::testPartFile":0,"Test\\Files\\Storage\\LocalTest::testWriteStream":0,"Test\\Files\\Storage\\StorageFactoryTest::testSimpleWrapper":0,"Test\\Files\\Storage\\StorageFactoryTest::testRemoveWrapper":0,"Test\\Files\\Storage\\StorageFactoryTest::testWrapperPriority":0,"Test\\Files\\Storage\\Wrapper\\AvailabilityTest::testAvailable":0.006,"Test\\Files\\Storage\\Wrapper\\AvailabilityTest::testUnavailable":0.001,"Test\\Files\\Storage\\Wrapper\\AvailabilityTest::testUnavailableRecheck":0,"Test\\Files\\Storage\\Wrapper\\AvailabilityTest::testAvailableThrowStorageNotAvailable":0,"Test\\Files\\Storage\\Wrapper\\AvailabilityTest::testAvailableFailure":0,"Test\\Files\\Storage\\Wrapper\\AvailabilityTest::testAvailableThrow":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFputEncoding with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFputEncoding with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFopenReadEncoding with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFopenReadEncoding with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFopenOverwriteEncoding with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFopenOverwriteEncoding with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFileExistsEncoding with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFileExistsEncoding with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testUnlinkEncoding with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testUnlinkEncoding with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testNfcHigherPriority":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testOperationInsideDirectory with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testOperationInsideDirectory with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testOperationInsideDirectory with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCacheExtraSlash":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveEncodedFolder with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveEncodedFolder with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveEncodedFolder with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveEncodedFolder with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveFromStorageEncodedFolder with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveFromStorageEncodedFolder with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveFromStorageEncodedFolder with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyAndMoveFromStorageEncodedFolder with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testNormalizedDirectoryEntriesOpenDir":0.001,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testNormalizedDirectoryEntriesGetDirectoryContent":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testNormalizedGetMetaData":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRoot":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testTestFunction":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testDirectories with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testDirectories with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testDirectories with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testDirectories with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMimeType":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopy with data set #8":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMove with data set #8":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverwrite with data set #8":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testMoveOverwrite with data set #8":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testLocal":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testStat":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCheckUpdate":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testUnlink":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testFOpen with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testTouchCreateFile":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRecursiveRmdir":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testHash with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testHash with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testHash with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testHashInFileName":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRenameDirectory":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyDirectory":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testCopyFromSameStorage with data set #8":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testIsCreatable":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testIsReadable":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testIsUpdatable":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testIsDeletable":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testIsShareable":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testStatAfterWrite":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testPartFile":0,"Test\\Files\\Storage\\Wrapper\\EncodingTest::testWriteStream":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetMetaData with data set #0":0.002,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetMetaData with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetMetaData with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetMetaData with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testFilesize":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testVerifyUnencryptedSize with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testVerifyUnencryptedSize with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testVerifyUnencryptedSize with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testVerifyUnencryptedSize with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRename with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRename with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRename with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRename with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRename with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyEncryption":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsLocal":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdir with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyKeys with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyKeys with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeader with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeader with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeader with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeader with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeader with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeaderAddLegacyModule with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeaderAddLegacyModule with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeaderAddLegacyModule with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetHeaderAddLegacyModule with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testParseRawHeader with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testParseRawHeader with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testParseRawHeader with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testParseRawHeader with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testParseRawHeader with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testParseRawHeader with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageMinimumEncryptedVersion":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorage with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorage with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorage with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorage with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyBetweenStorageVersions with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsVersion with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsVersion with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsVersion with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsVersion with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsVersion with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsVersion with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testShouldEncrypt with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testShouldEncrypt with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testShouldEncrypt with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testShouldEncrypt with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testShouldEncrypt with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRoot":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testTestFunction":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testDirectories with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testDirectories with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testDirectories with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMimeType":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #6":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopy with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMove with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testLocal":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testStat":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCheckUpdate":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testUnlink":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testTouchCreateFile":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRecursiveRmdir":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRecursiveUnlink":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testHash with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testHash with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testHash with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testHashInFileName":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRenameDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRenameOverWriteDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverWriteDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsCreatable":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsReadable":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsUpdatable":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsDeletable":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testIsShareable":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testStatAfterWrite":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testPartFile":0,"Test\\Files\\Storage\\Wrapper\\EncryptionTest::testWriteStream":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMkDirRooted":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testFilePutContentsRooted":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRoot":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testTestFunction":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testDirectories with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\JailTest::testDirectories with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\JailTest::testDirectories with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMimeType":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #3":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #4":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #5":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #6":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopy with data set #7":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #3":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #4":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #5":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #6":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMove with data set #7":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testLocal":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testStat":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCheckUpdate":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testUnlink":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testTouchCreateFile":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRecursiveRmdir":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testHash with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testHash with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testHash with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testHashInFileName":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRenameDirectory":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyDirectory":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testIsCreatable":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testIsReadable":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testIsUpdatable":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testIsDeletable":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testIsShareable":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testStatAfterWrite":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testPartFile":0,"Test\\Files\\Storage\\Wrapper\\JailTest::testWriteStream":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMkdirNoCreate":0.001,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRmdirNoDelete":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testTouchNewFileNoCreate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testTouchNewFileNoUpdate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testTouchExistingFileNoUpdate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testUnlinkNoDelete":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testPutContentsNewFileNoUpdate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testPutContentsNewFileNoCreate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testPutContentsExistingFileNoUpdate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFopenExistingFileNoUpdate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFopenNewFileNoCreate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanNewFiles":0.001,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanNewWrappedFiles":0.001,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanNewFilesNested":0.001,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanUnchanged":0.002,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testScanUnchangedWrapped":0.003,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRoot":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testTestFunction":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testDirectories with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testDirectories with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testDirectories with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMimeType":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #3":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #4":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #5":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #6":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopy with data set #7":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #3":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #4":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #5":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #6":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMove with data set #7":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testLocal":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testStat":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCheckUpdate":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testUnlink":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testTouchCreateFile":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRecursiveRmdir":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testHash with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testHash with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testHash with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testHashInFileName":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRenameDirectory":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyDirectory":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testIsCreatable":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testIsReadable":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testIsUpdatable":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testIsDeletable":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testIsShareable":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testStatAfterWrite":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testPartFile":0,"Test\\Files\\Storage\\Wrapper\\PermissionsMaskTest::testWriteStream":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFilePutContentsNotEnoughSpace":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyNotEnoughSpace":0.003,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpace":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpaceWithUsedSpace":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpaceWithUnknownDiskSpace":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFreeSpaceWithUsedSpaceAndEncryption":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFWriteNotEnoughSpace":0.004,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testStreamCopyWithEnoughSpace":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testStreamCopyNotEnoughSpace":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testReturnFalseWhenFopenFailed":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testReturnRegularStreamOnRead":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testReturnRegularStreamWhenOutsideFiles":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testReturnQuotaStreamOnWrite":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testSpaceRoot":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testInstanceOfStorageWrapper":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testNoMkdirQuotaZero":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMkdirQuotaZeroTrashbin":0.002,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testNoTouchQuotaZero":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRoot":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testTestFunction":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testDirectories with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testDirectories with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testDirectories with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testDirectories with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testDirectories with data set #4":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testDirectories with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testGetPutContents with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMimeType":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #4":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #6":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopy with data set #7":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #2":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #3":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #4":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #5":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #6":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMove with data set #7":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #4":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #6":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverwrite with data set #7":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #4":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #6":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testMoveOverwrite with data set #7":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testLocal":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testStat":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCheckUpdate":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testUnlink":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFOpen with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFOpen with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFOpen with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFOpen with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFOpen with data set #4":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testFOpen with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testTouchCreateFile":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRecursiveRmdir":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRecursiveUnlink":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testHash with data set #0":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testHash with data set #1":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testHash with data set #2":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testHashInFileName":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverWriteFile":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRenameOverWriteFile":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRenameDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRenameOverWriteDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testRenameOverWriteDirectoryOverFile":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverWriteDirectory":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyOverWriteDirectoryOverFile":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #0":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #1":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #2":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #3":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #4":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #5":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #6":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testCopyFromSameStorage with data set #7":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testIsCreatable":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testIsReadable":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testIsUpdatable":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testIsDeletable":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testIsShareable":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testStatAfterWrite":0.001,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testPartFile":0,"Test\\Files\\Storage\\Wrapper\\QuotaTest::testWriteStream":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testInstanceOfStorageWrapper":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRoot":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testTestFunction":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testDirectories with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testDirectories with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testDirectories with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testDirectories with data set #3":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testDirectories with data set #4":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testDirectories with data set #5":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testGetPutContents with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testGetPutContents with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMimeType":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #3":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #4":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #5":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #6":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopy with data set #7":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #3":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #4":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #5":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #6":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMove with data set #7":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #3":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #4":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #5":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #6":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testMoveOverwrite with data set #7":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testLocal":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testStat":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCheckUpdate":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testUnlink":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testFOpen with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testFOpen with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testFOpen with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testFOpen with data set #3":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testFOpen with data set #4":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testFOpen with data set #5":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testTouchCreateFile":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRecursiveRmdir":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRmdirEmptyFolder":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRecursiveUnlink":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testHash with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testHash with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testHash with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testHashInFileName":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRenameOverWriteFile":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRenameDirectory":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRenameOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testRenameOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyDirectory":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverWriteDirectory":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyOverWriteDirectoryOverFile":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testInstanceOfStorage":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #0":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #1":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #2":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #3":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #4":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #5":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #6":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testCopyFromSameStorage with data set #7":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testIsCreatable":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testIsReadable":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testIsUpdatable":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testIsDeletable":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testIsShareable":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testStatAfterWrite":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testPartFile":0,"Test\\Files\\Storage\\Wrapper\\WrapperTest::testWriteStream":0,"Test\\Files\\Stream\\EncryptionTest::testStreamOpen with data set #0":0.006,"Test\\Files\\Stream\\EncryptionTest::testStreamOpen with data set #1":0,"Test\\Files\\Stream\\EncryptionTest::testStreamOpen with data set #2":0,"Test\\Files\\Stream\\EncryptionTest::testStreamOpen with data set #3":0,"Test\\Files\\Stream\\EncryptionTest::testStreamOpen with data set #4":0,"Test\\Files\\Stream\\EncryptionTest::testStreamOpen with data set #5":0,"Test\\Files\\Stream\\EncryptionTest::testWriteRead":0.002,"Test\\Files\\Stream\\EncryptionTest::testRewind":0.001,"Test\\Files\\Stream\\EncryptionTest::testSeek":0.001,"Test\\Files\\Stream\\EncryptionTest::testWriteReadBigFile with data set #0":0.001,"Test\\Files\\Stream\\EncryptionTest::testWriteReadBigFile with data set #1":0.001,"Test\\Files\\Stream\\EncryptionTest::testWriteReadBigFile with data set #2":0.001,"Test\\Files\\Stream\\EncryptionTest::testWriteToNonSeekableStorage with data set #0":0.001,"Test\\Files\\Stream\\EncryptionTest::testWriteToNonSeekableStorage with data set #1":0.001,"Test\\Files\\Stream\\EncryptionTest::testWriteToNonSeekableStorage with data set #2":0.001,"Test\\Files\\Stream\\HashWrapperTest::testHashStream with data set #0":0.001,"Test\\Files\\Stream\\HashWrapperTest::testHashStream with data set #1":0,"Test\\Files\\Stream\\HashWrapperTest::testHashStream with data set #2":0,"Test\\Files\\Stream\\HashWrapperTest::testHashStream with data set #3":0,"Test\\Files\\Stream\\QuotaTest::testWriteEnoughSpace":0,"Test\\Files\\Stream\\QuotaTest::testWriteNotEnoughSpace":0,"Test\\Files\\Stream\\QuotaTest::testWriteNotEnoughSpaceSecondTime":0,"Test\\Files\\Stream\\QuotaTest::testWriteEnoughSpaceRewind":0,"Test\\Files\\Stream\\QuotaTest::testWriteNotEnoughSpaceRead":0,"Test\\Files\\Stream\\QuotaTest::testWriteNotEnoughSpaceExistingStream":0,"Test\\Files\\Stream\\QuotaTest::testWriteNotEnoughSpaceExistingStreamRewind":0,"Test\\Files\\Stream\\QuotaTest::testFseekReturnsSuccess":0,"Test\\Files\\Stream\\QuotaTest::testWriteAfterSeekEndWithEnoughSpace":0,"Test\\Files\\Stream\\QuotaTest::testWriteAfterSeekEndWithNotEnoughSpace":0,"Test\\Files\\Stream\\QuotaTest::testWriteAfterSeekSetWithEnoughSpace":0,"Test\\Files\\Stream\\QuotaTest::testWriteAfterSeekSetWithNotEnoughSpace":0,"Test\\Files\\Stream\\QuotaTest::testWriteAfterSeekCurWithEnoughSpace":0,"Test\\Files\\Stream\\QuotaTest::testWriteAfterSeekCurWithNotEnoughSpace":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #0":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #1":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #2":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #3":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #4":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #5":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #6":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #7":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #8":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #9":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #10":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #11":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #12":0,"Test\\Files\\Type\\DetectionTest::testDetectPath with data set #13":0.041,"Test\\Files\\Type\\DetectionTest::testDetectContent with data set #0":0,"Test\\Files\\Type\\DetectionTest::testDetectContent with data set #1":0.001,"Test\\Files\\Type\\DetectionTest::testDetectContent with data set #2":0.001,"Test\\Files\\Type\\DetectionTest::testDetectContent with data set #3":0,"Test\\Files\\Type\\DetectionTest::testDetect with data set #0":0,"Test\\Files\\Type\\DetectionTest::testDetect with data set #1":0,"Test\\Files\\Type\\DetectionTest::testDetect with data set #2":0,"Test\\Files\\Type\\DetectionTest::testDetect with data set #3":0,"Test\\Files\\Type\\DetectionTest::testDetect with data set #4":0,"Test\\Files\\Type\\DetectionTest::testDetectString":0.001,"Test\\Files\\Type\\DetectionTest::testGetSecureMimeType with data set #0":0,"Test\\Files\\Type\\DetectionTest::testGetSecureMimeType with data set #1":0,"Test\\Files\\Type\\DetectionTest::testMimeTypeIcon":0,"Test\\Files\\Type\\LoaderTest::testGetMimetype":0,"Test\\Files\\Type\\LoaderTest::testGetNonexistentMimetype":0,"Test\\Files\\Type\\LoaderTest::testStore":0,"Test\\Files\\Type\\LoaderTest::testStoreExists":0,"Test\\Files\\Utils\\ScannerTest::testReuseExistingRoot":0.004,"Test\\Files\\Utils\\ScannerTest::testReuseExistingFile":0.003,"Test\\Files\\Utils\\ScannerTest::testScanSubMount":0.004,"Test\\Files\\Utils\\ScannerTest::testInvalidPathScanning with data set #0":0,"Test\\Files\\Utils\\ScannerTest::testInvalidPathScanning with data set #1":0,"Test\\Files\\Utils\\ScannerTest::testInvalidPathScanning with data set #2":0,"Test\\Files\\Utils\\ScannerTest::testPropagateEtag":0.004,"Test\\Files\\Utils\\ScannerTest::testShallow":0.005,"Test\\Files\\ViewTest::testCacheAPI":0.021,"Test\\Files\\ViewTest::testGetPath":0.013,"Test\\Files\\ViewTest::testGetPathNotExisting":0.009,"Test\\Files\\ViewTest::testMountPointOverwrite":0.01,"Test\\Files\\ViewTest::testRemoveSharePermissionWhenSharingDisabledForUser with data set #0":0.011,"Test\\Files\\ViewTest::testRemoveSharePermissionWhenSharingDisabledForUser with data set #1":0.012,"Test\\Files\\ViewTest::testCacheIncompleteFolder":0.01,"Test\\Files\\ViewTest::testAutoScan":0.01,"Test\\Files\\ViewTest::testSearch":0.014,"Test\\Files\\ViewTest::testWatcher":0.011,"Test\\Files\\ViewTest::testCopyBetweenStorageNoCross":0.015,"Test\\Files\\ViewTest::testCopyBetweenStorageCross":0.014,"Test\\Files\\ViewTest::testCopyBetweenStorageCrossNonLocal":0.014,"Test\\Files\\ViewTest::testMoveBetweenStorageNoCross":0.019,"Test\\Files\\ViewTest::testMoveBetweenStorageCross":0.016,"Test\\Files\\ViewTest::testMoveBetweenStorageCrossNonLocal":0.016,"Test\\Files\\ViewTest::testUnlink":0.014,"Test\\Files\\ViewTest::testRmdir with data set #0":0.013,"Test\\Files\\ViewTest::testRmdir with data set #1":0.014,"Test\\Files\\ViewTest::testUnlinkRootMustFail":0.013,"Test\\Files\\ViewTest::testTouch":0.011,"Test\\Files\\ViewTest::testTouchFloat":0.009,"Test\\Files\\ViewTest::testViewHooks":0.013,"Test\\Files\\ViewTest::testSearchNotOutsideView":0.011,"Test\\Files\\ViewTest::testViewHooksIfRootStartsTheSame":0.011,"Test\\Files\\ViewTest::testEditNoCreateHook":0.012,"Test\\Files\\ViewTest::testResolvePath with data set #0":0.009,"Test\\Files\\ViewTest::testResolvePath with data set #1":0.009,"Test\\Files\\ViewTest::testResolvePath with data set #2":0.009,"Test\\Files\\ViewTest::testResolvePath with data set #3":0.009,"Test\\Files\\ViewTest::testResolvePath with data set #4":0.01,"Test\\Files\\ViewTest::testResolvePath with data set #5":0.01,"Test\\Files\\ViewTest::testResolvePath with data set #6":0.009,"Test\\Files\\ViewTest::testResolvePath with data set #7":0.009,"Test\\Files\\ViewTest::testResolvePath with data set #8":0.01,"Test\\Files\\ViewTest::testResolvePath with data set #9":0.011,"Test\\Files\\ViewTest::testUTF8Names":0.014,"Test\\Files\\ViewTest::testTouchNotSupported":0.009,"Test\\Files\\ViewTest::testWatcherEtagCrossStorage":0.011,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #0":0.008,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #1":0.008,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #2":0.007,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #3":0.007,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #4":0.007,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #5":0.007,"Test\\Files\\ViewTest::testGetAbsolutePath with data set #6":0.007,"Test\\Files\\ViewTest::testPartFileInfo":0.009,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #0":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #1":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #2":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #3":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #4":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #5":0.008,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #6":0.008,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #7":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #8":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #9":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #10":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #11":0.009,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #12":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #13":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #14":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #15":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #16":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #17":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #18":0.008,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #19":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #20":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #21":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #22":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #23":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #24":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #25":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #26":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #27":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #28":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #29":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #30":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #31":0.008,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #32":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #33":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #34":0.008,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #35":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #36":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #37":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #38":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #39":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #40":0.008,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #41":0.007,"Test\\Files\\ViewTest::testChrootGetRelativePath with data set #42":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #0":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #1":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #2":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #3":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #4":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #5":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #6":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #7":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #8":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #9":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #10":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #11":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #12":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #13":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #14":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #15":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #16":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #17":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #18":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #19":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #20":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #21":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #22":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #23":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #24":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #25":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #26":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #27":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #28":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #29":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #30":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #31":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #32":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #33":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #34":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #35":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #36":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #37":0.008,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #38":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #39":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #40":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #41":0.007,"Test\\Files\\ViewTest::testInitGetRelativePath with data set #42":0.007,"Test\\Files\\ViewTest::testFileView":0.009,"Test\\Files\\ViewTest::testTooLongPath with data set #0":0.012,"Test\\Files\\ViewTest::testTooLongPath with data set #1":0.013,"Test\\Files\\ViewTest::testTooLongPath with data set #2":0.012,"Test\\Files\\ViewTest::testTooLongPath with data set #3":0.012,"Test\\Files\\ViewTest::testTooLongPath with data set #4":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #5":0.009,"Test\\Files\\ViewTest::testTooLongPath with data set #6":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #7":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #8":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #9":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #10":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #11":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #12":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #13":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #14":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #15":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #16":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #17":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #18":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #19":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #20":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #21":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #22":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #23":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #24":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #25":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #26":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #27":0.015,"Test\\Files\\ViewTest::testTooLongPath with data set #28":0.019,"Test\\Files\\ViewTest::testTooLongPath with data set #29":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #30":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #31":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #32":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #33":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #34":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #35":0.01,"Test\\Files\\ViewTest::testTooLongPath with data set #36":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #37":0.013,"Test\\Files\\ViewTest::testTooLongPath with data set #38":0.011,"Test\\Files\\ViewTest::testTooLongPath with data set #39":0.014,"Test\\Files\\ViewTest::testTooLongPath with data set #40":0.011,"Test\\Files\\ViewTest::testRenameCrossStoragePreserveMtime":0.017,"Test\\Files\\ViewTest::testRenameFailDeleteTargetKeepSource":0.02,"Test\\Files\\ViewTest::testCopyFailDeleteTargetKeepSource":0.017,"Test\\Files\\ViewTest::testDeleteFailKeepCache":0.01,"Test\\Files\\ViewTest::testConstructDirectoryTraversalException with data set #0":0.008,"Test\\Files\\ViewTest::testConstructDirectoryTraversalException with data set #1":0.008,"Test\\Files\\ViewTest::testConstructDirectoryTraversalException with data set #2":0.048,"Test\\Files\\ViewTest::testRenameOverWrite":0.011,"Test\\Files\\ViewTest::testSetMountOptionsInStorage":0.008,"Test\\Files\\ViewTest::testSetMountOptionsWatcherPolicy":0.008,"Test\\Files\\ViewTest::testGetAbsolutePathOnNull":0.007,"Test\\Files\\ViewTest::testGetRelativePathOnNull":0.007,"Test\\Files\\ViewTest::testNullAsRoot":0.007,"Test\\Files\\ViewTest::testReadFromWriteLockedPath with data set #0":0.007,"Test\\Files\\ViewTest::testReadFromWriteLockedPath with data set #1":0.008,"Test\\Files\\ViewTest::testReadFromWriteLockedPath with data set #2":0.007,"Test\\Files\\ViewTest::testReadFromWriteUnlockablePath with data set #0":0.007,"Test\\Files\\ViewTest::testReadFromWriteUnlockablePath with data set #1":0.007,"Test\\Files\\ViewTest::testReadFromWriteUnlockablePath with data set #2":0.007,"Test\\Files\\ViewTest::testWriteToReadLockedFile with data set #0":0.007,"Test\\Files\\ViewTest::testWriteToReadLockedFile with data set #1":0.007,"Test\\Files\\ViewTest::testWriteToReadLockedFile with data set #2":0.009,"Test\\Files\\ViewTest::testWriteToReadUnlockableFile with data set #0":0.007,"Test\\Files\\ViewTest::testWriteToReadUnlockableFile with data set #1":0.009,"Test\\Files\\ViewTest::testWriteToReadUnlockableFile with data set #2":0.007,"Test\\Files\\ViewTest::testLockLocalMountPointPathInsteadOfStorageRoot":0.007,"Test\\Files\\ViewTest::testLockStorageRootButNotLocalMountPoint":0.007,"Test\\Files\\ViewTest::testLockMountPointPathFailReleasesBoth":0.007,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #0":0.008,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #1":0.008,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #2":0.007,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #3":0.008,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #4":0.008,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #5":0.007,"Test\\Files\\ViewTest::testGetPathRelativeToFiles with data set #6":0.009,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #0":0.007,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #1":0.007,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #2":0.007,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #3":0.007,"Test\\Files\\ViewTest::testGetPathRelativeToFilesWithInvalidArgument with data set #4":0.007,"Test\\Files\\ViewTest::testChangeLock":0.008,"Test\\Files\\ViewTest::testHookPaths with data set #0":0.007,"Test\\Files\\ViewTest::testHookPaths with data set #1":0.007,"Test\\Files\\ViewTest::testHookPaths with data set #2":0.007,"Test\\Files\\ViewTest::testHookPaths with data set #3":0.007,"Test\\Files\\ViewTest::testHookPaths with data set #4":0.008,"Test\\Files\\ViewTest::testHookPaths with data set #5":0.007,"Test\\Files\\ViewTest::testHookPaths with data set #6":0.008,"Test\\Files\\ViewTest::testMountPointMove":0.02,"Test\\Files\\ViewTest::testMoveMountPointIntoAnother":0.009,"Test\\Files\\ViewTest::testMoveMountPointIntoSharedFolder":0.035,"Test\\Files\\ViewTest::testLockBasicOperation with data set #0":0.011,"Test\\Files\\ViewTest::testLockBasicOperation with data set #1":0.011,"Test\\Files\\ViewTest::testLockBasicOperation with data set #2":0.011,"Test\\Files\\ViewTest::testLockBasicOperation with data set #3":0.011,"Test\\Files\\ViewTest::testLockBasicOperation with data set #4":0.012,"Test\\Files\\ViewTest::testLockBasicOperation with data set #5":0.013,"Test\\Files\\ViewTest::testLockBasicOperation with data set #6":0.011,"Test\\Files\\ViewTest::testLockBasicOperation with data set #7":0.011,"Test\\Files\\ViewTest::testLockBasicOperation with data set #8":0.01,"Test\\Files\\ViewTest::testLockBasicOperation with data set #9":0.011,"Test\\Files\\ViewTest::testLockBasicOperation with data set #10":0.012,"Test\\Files\\ViewTest::testLockBasicOperation with data set #11":0.01,"Test\\Files\\ViewTest::testLockBasicOperation with data set #12":0.008,"Test\\Files\\ViewTest::testLockBasicOperation with data set #13":0.009,"Test\\Files\\ViewTest::testLockBasicOperation with data set #14":0.009,"Test\\Files\\ViewTest::testLockBasicOperation with data set #15":0.01,"Test\\Files\\ViewTest::testLockBasicOperation with data set #16":0.009,"Test\\Files\\ViewTest::testLockBasicOperation with data set #17":0.009,"Test\\Files\\ViewTest::testLockBasicOperation with data set #18":0.009,"Test\\Files\\ViewTest::testLockBasicOperation with data set #19":0.009,"Test\\Files\\ViewTest::testLockBasicOperation with data set #20":0.009,"Test\\Files\\ViewTest::testLockBasicOperation with data set #21":0.01,"Test\\Files\\ViewTest::testLockFilePutContentWithStream":0.009,"Test\\Files\\ViewTest::testLockFopen":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #0":0.007,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #1":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #2":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #3":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #4":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #5":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #6":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #7":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #8":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #9":0.007,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #10":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #11":0.011,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #12":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #13":0.01,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #14":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #15":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #16":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #17":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #18":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #19":0.01,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #20":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterException with data set #21":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterLockException":0.01,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #0":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #1":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #2":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #3":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #4":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #5":0.009,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #6":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #7":0.007,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #8":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #9":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #10":0.007,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #11":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #12":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #13":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #14":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #15":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #16":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #17":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #18":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #19":0.007,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #20":0.008,"Test\\Files\\ViewTest::testLockBasicOperationUnlocksAfterCancelledHook with data set #21":0.008,"Test\\Files\\ViewTest::testLockFileRename with data set #0":0.011,"Test\\Files\\ViewTest::testLockFileRename with data set #1":0.011,"Test\\Files\\ViewTest::testLockFileCopyException":0.01,"Test\\Files\\ViewTest::testLockFileRenameUnlockOnException":0.009,"Test\\Files\\ViewTest::testGetOwner":0.01,"Test\\Files\\ViewTest::testLockFileRenameCrossStorage with data set #0":0.013,"Test\\Files\\ViewTest::testLockFileRenameCrossStorage with data set #1":0.011,"Test\\Files\\ViewTest::testLockMoveMountPoint":0.012,"Test\\Files\\ViewTest::testRemoveMoveableMountPoint":0.008,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #0":0.011,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #1":0.012,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #2":0.011,"Test\\Files\\ViewTest::testGetDirectoryContentMimeFilter with data set #3":0.012,"Test\\Files\\ViewTest::testFilePutContentsClearsChecksum":0.01,"Test\\Files\\ViewTest::testDeleteGhostFile":0.01,"Test\\Files\\ViewTest::testDeleteGhostFolder":0.011,"Test\\Files\\ViewTest::testCreateParentDirectories":0.008,"Test\\Files\\ViewTest::testCreateParentDirectoriesWithExistingFile":0.008,"Test\\Files\\ViewTest::testCacheExtension":0.009,"Test\\GlobalScale\\ConfigTest::testIsGlobalScaleEnabled":0,"Test\\GlobalScale\\ConfigTest::testOnlyInternalFederation with data set #0":0,"Test\\GlobalScale\\ConfigTest::testOnlyInternalFederation with data set #1":0,"Test\\GlobalScale\\ConfigTest::testOnlyInternalFederation with data set #2":0,"Test\\GlobalScale\\ConfigTest::testOnlyInternalFederation with data set #3":0,"Test\\Group\\DatabaseTest::testAddDoubleNoCache":0,"Test\\Group\\DatabaseTest::testAddRemove":0.001,"Test\\Group\\DatabaseTest::testUser":0.001,"Test\\Group\\DatabaseTest::testSearchGroups":0,"Test\\Group\\DatabaseTest::testSearchUsers":0.001,"Test\\Group\\DatabaseTest::testAddDouble":0,"Test\\Group\\GroupTest::testGetUsersSingleBackend":0.013,"Test\\Group\\GroupTest::testGetUsersMultipleBackends":0,"Test\\Group\\GroupTest::testInGroupSingleBackend":0,"Test\\Group\\GroupTest::testInGroupMultipleBackends":0.001,"Test\\Group\\GroupTest::testAddUser":0.001,"Test\\Group\\GroupTest::testAddUserAlreadyInGroup":0,"Test\\Group\\GroupTest::testRemoveUser":0,"Test\\Group\\GroupTest::testRemoveUserNotInGroup":0,"Test\\Group\\GroupTest::testRemoveUserMultipleBackends":0,"Test\\Group\\GroupTest::testSearchUsers":0.002,"Test\\Group\\GroupTest::testSearchUsersMultipleBackends":0,"Test\\Group\\GroupTest::testSearchUsersLimitAndOffset":0,"Test\\Group\\GroupTest::testSearchUsersMultipleBackendsLimitAndOffset":0,"Test\\Group\\GroupTest::testCountUsers":0.001,"Test\\Group\\GroupTest::testCountUsersMultipleBackends":0,"Test\\Group\\GroupTest::testCountUsersNoMethod":0,"Test\\Group\\GroupTest::testDelete":0,"Test\\Group\\ManagerTest::testGet":0.002,"Test\\Group\\ManagerTest::testGetNoBackend":0,"Test\\Group\\ManagerTest::testGetNotExists":0,"Test\\Group\\ManagerTest::testGetDeleted":0.001,"Test\\Group\\ManagerTest::testGetMultipleBackends":0,"Test\\Group\\ManagerTest::testCreate":0,"Test\\Group\\ManagerTest::testCreateFailure":0,"Test\\Group\\ManagerTest::testCreateExists":0,"Test\\Group\\ManagerTest::testSearch":0,"Test\\Group\\ManagerTest::testSearchMultipleBackends":0,"Test\\Group\\ManagerTest::testSearchMultipleBackendsLimitAndOffset":0,"Test\\Group\\ManagerTest::testSearchResultExistsButGroupDoesNot":0.001,"Test\\Group\\ManagerTest::testGetUserGroups":0,"Test\\Group\\ManagerTest::testGetUserGroupIds":0,"Test\\Group\\ManagerTest::testGetUserGroupsWithDeletedGroup":0,"Test\\Group\\ManagerTest::testInGroup":0,"Test\\Group\\ManagerTest::testIsAdmin":0,"Test\\Group\\ManagerTest::testNotAdmin":0,"Test\\Group\\ManagerTest::testGetUserGroupsMultipleBackends":0,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackend":0,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendWithLimitSpecified":0,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendWithLimitAndOffsetSpecified":0,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendAndSearchEmpty":0,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendAndSearchEmptyAndLimitSpecified":0,"Test\\Group\\ManagerTest::testDisplayNamesInGroupWithOneUserBackendAndSearchEmptyAndLimitAndOffsetSpecified":0,"Test\\Group\\ManagerTest::testGetUserGroupsWithAddUser":0,"Test\\Group\\ManagerTest::testGetUserGroupsWithRemoveUser":0,"Test\\Group\\ManagerTest::testGetUserIdGroups":0,"Test\\Group\\ManagerTest::testGroupDisplayName":0,"Test\\Group\\MetaDataTest::testGet":0.002,"Test\\Group\\MetaDataTest::testGetWithSorting":0,"Test\\Group\\MetaDataTest::testGetWithCache":0,"Test\\Group\\MetaDataTest::testGetGroupsAsAdmin":0,"Test\\HelperStorageTest::testGetStorageInfo":0.004,"Test\\HelperStorageTest::testGetStorageInfoExcludingExtStorage":0.004,"Test\\HelperStorageTest::testGetStorageInfoIncludingExtStorage":0.005,"Test\\HelperStorageTest::testGetStorageInfoIncludingExtStorageWithNoUserQuota":0.005,"Test\\HelperStorageTest::testGetStorageInfoWithQuota":0.004,"Test\\HelperStorageTest::testGetStorageInfoWhenSizeExceedsQuota":0.005,"Test\\HelperStorageTest::testGetStorageInfoWhenFreeSpaceLessThanQuota":0.003,"Test\\Hooks\\BasicEmitterTest::testAnonymousFunction":0,"Test\\Hooks\\BasicEmitterTest::testStaticCallback":0,"Test\\Hooks\\BasicEmitterTest::testNonStaticCallback":0,"Test\\Hooks\\BasicEmitterTest::testOnlyCallOnce":0,"Test\\Hooks\\BasicEmitterTest::testDifferentMethods":0,"Test\\Hooks\\BasicEmitterTest::testDifferentScopes":0,"Test\\Hooks\\BasicEmitterTest::testDifferentCallbacks":0,"Test\\Hooks\\BasicEmitterTest::testArguments":0,"Test\\Hooks\\BasicEmitterTest::testNamedArguments":0,"Test\\Hooks\\BasicEmitterTest::testRemoveAllSpecified":0,"Test\\Hooks\\BasicEmitterTest::testRemoveWildcardListener":0,"Test\\Hooks\\BasicEmitterTest::testRemoveWildcardMethod":0,"Test\\Hooks\\BasicEmitterTest::testRemoveWildcardScope":0,"Test\\Hooks\\BasicEmitterTest::testRemoveWildcardScopeAndMethod":0,"Test\\Hooks\\BasicEmitterTest::testRemoveKeepOtherCallback":0,"Test\\Hooks\\BasicEmitterTest::testRemoveKeepOtherMethod":0,"Test\\Hooks\\BasicEmitterTest::testRemoveKeepOtherScope":0,"Test\\Hooks\\BasicEmitterTest::testRemoveNonExistingName":0,"Test\\Http\\Client\\ClientServiceTest::testNewClient":0.001,"Test\\Http\\Client\\ClientTest::testGetProxyUri":0.001,"Test\\Http\\Client\\ClientTest::testGetProxyUriProxyHostEmptyPassword":0,"Test\\Http\\Client\\ClientTest::testGetProxyUriProxyHostWithPassword":0,"Test\\Http\\Client\\ClientTest::testGetProxyUriProxyHostWithPasswordAndExclude":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #0":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #1":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #2":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #3":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #4":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #5":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #6":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #7":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #8":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #9":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #10":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #11":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #12":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #13":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByGlobalConfig with data set #14":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #0":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #1":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #2":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #3":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #4":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #5":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #6":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #7":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #8":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #9":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #10":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #11":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #12":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #13":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressDisabledByOption with data set #14":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #0":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #1":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #2":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #3":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #4":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #5":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #6":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #7":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #8":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #9":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #10":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #11":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #12":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #13":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnGet with data set #14":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #0":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #1":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #2":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #3":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #4":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #5":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #6":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #7":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #8":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #9":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #10":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #11":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #12":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #13":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnHead with data set #14":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #0":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #1":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #2":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #3":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #4":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #5":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #6":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #7":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #8":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #9":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #10":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #11":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #12":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #13":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPost with data set #14":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #0":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #1":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #2":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #3":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #4":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #5":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #6":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #7":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #8":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #9":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #10":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #11":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #12":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #13":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnPut with data set #14":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #0":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #1":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #2":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #3":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #4":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #5":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #6":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #7":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #8":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #9":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #10":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #11":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #12":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #13":0,"Test\\Http\\Client\\ClientTest::testPreventLocalAddressOnDelete with data set #14":0,"Test\\Http\\Client\\ClientTest::testGet":0.002,"Test\\Http\\Client\\ClientTest::testGetWithOptions":0,"Test\\Http\\Client\\ClientTest::testPost":0,"Test\\Http\\Client\\ClientTest::testPostWithOptions":0,"Test\\Http\\Client\\ClientTest::testPut":0,"Test\\Http\\Client\\ClientTest::testPutWithOptions":0,"Test\\Http\\Client\\ClientTest::testDelete":0,"Test\\Http\\Client\\ClientTest::testDeleteWithOptions":0,"Test\\Http\\Client\\ClientTest::testOptions":0,"Test\\Http\\Client\\ClientTest::testOptionsWithOptions":0,"Test\\Http\\Client\\ClientTest::testHead":0,"Test\\Http\\Client\\ClientTest::testHeadWithOptions":0,"Test\\Http\\Client\\ClientTest::testSetDefaultOptionsWithNotInstalled":0,"Test\\Http\\Client\\ClientTest::testSetDefaultOptionsWithProxy":0,"Test\\Http\\Client\\ClientTest::testSetDefaultOptionsWithProxyAndExclude":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #0":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #1":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #2":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #3":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #4":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #5":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #6":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #7":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #8":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #9":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #10":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #11":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #12":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #13":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddress with data set #14":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #0":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #1":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #2":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #3":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #4":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #5":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #6":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalAddressGood with data set #7":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpBad with data set #0":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpBad with data set #1":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpBad with data set #2":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpBad with data set #3":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpBad with data set #4":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpBad with data set #5":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpBad with data set #6":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpGood with data set #0":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpGood with data set #1":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpGood with data set #2":0,"Test\\Http\\Client\\LocalAddressCheckerTest::testThrowIfLocalIpGood with data set #3":0,"Test\\Http\\Client\\NegativeDnsCacheTest::testSetNegativeCacheForDnsType":0,"Test\\Http\\Client\\NegativeDnsCacheTest::testIsNegativeCached":0,"Test\\Http\\Client\\ResponseTest::testGetBody":0.002,"Test\\Http\\Client\\ResponseTest::testGetStatusCode":0,"Test\\Http\\Client\\ResponseTest::testGetHeader":0,"Test\\Http\\Client\\ResponseTest::testGetHeaders":0,"Tests\\Http\\WellKnown\\GenericResponseTest::testToHttpResponse":0,"Test\\Http\\WellKnown\\JrdResponseTest::testEmptyToHttpResponse":0,"Test\\Http\\WellKnown\\JrdResponseTest::testComplexToHttpResponse":0,"Test\\Http\\WellKnown\\RequestManagerTest::testProcessAppsNotRegistered":0,"Test\\Http\\WellKnown\\RequestManagerTest::testProcessNoHandlersRegistered":0.001,"Test\\Http\\WellKnown\\RequestManagerTest::testProcessHandlerNotLoadable":0,"Test\\Http\\WellKnown\\RequestManagerTest::testProcessHandlerOfWrongType":0,"Test\\Http\\WellKnown\\RequestManagerTest::testProcess":0,"Test\\ImageTest::testConstructDestruct":0.013,"Test\\ImageTest::testValid":0.001,"Test\\ImageTest::testMimeType":0.013,"Test\\ImageTest::testWidth":0.013,"Test\\ImageTest::testHeight":0.013,"Test\\ImageTest::testSave":0.031,"Test\\ImageTest::testData":0.037,"Test\\ImageTest::testDataNoResource":0,"Test\\ImageTest::testToString":0.031,"Test\\ImageTest::testResize":0.036,"Test\\ImageTest::testPreciseResize":0.082,"Test\\ImageTest::testCenterCrop":0.05,"Test\\ImageTest::testCrop":0.02,"Test\\ImageTest::testFitIn with data set #0":0.001,"Test\\ImageTest::testFitIn with data set #1":0.035,"Test\\ImageTest::testFitIn with data set #2":0.002,"Test\\ImageTest::testScaleDownToFitWhenSmallerAlready with data set #0":0,"Test\\ImageTest::testScaleDownToFitWhenSmallerAlready with data set #1":0.014,"Test\\ImageTest::testScaleDownToFitWhenSmallerAlready with data set #2":0,"Test\\ImageTest::testScaleDownWhenBigger with data set #0":0.001,"Test\\ImageTest::testScaleDownWhenBigger with data set #1":0.036,"Test\\ImageTest::testConvert with data set #0":0.001,"Test\\ImageTest::testConvert with data set #1":0,"Test\\ImageTest::testConvert with data set #2":0.001,"Test\\ImageTest::testMemoryLimitFromFile":0,"Test\\ImageTest::testMemoryLimitFromData":0,"Test\\InfoXmlTest::testClasses with data set #0":0.001,"Test\\InfoXmlTest::testClasses with data set #1":0,"Test\\InfoXmlTest::testClasses with data set #2":0.015,"Test\\InfoXmlTest::testClasses with data set #3":0.002,"Test\\InfoXmlTest::testClasses with data set #4":0,"Test\\InfoXmlTest::testClasses with data set #5":0.001,"Test\\InfoXmlTest::testClasses with data set #6":0.004,"Test\\InfoXmlTest::testClasses with data set #7":0.014,"Test\\InfoXmlTest::testClasses with data set #8":0.002,"Test\\InfoXmlTest::testClasses with data set #9":0.003,"Test\\InfoXmlTest::testClasses with data set #10":0.001,"Test\\InfoXmlTest::testClasses with data set #11":0,"Test\\InfoXmlTest::testClasses with data set #12":0,"Test\\InfoXmlTest::testClasses with data set #13":0.003,"Test\\InfoXmlTest::testClasses with data set #14":0,"Test\\InfoXmlTest::testClasses with data set #15":0,"Test\\InfoXmlTest::testClasses with data set #16":0.001,"Test\\InfoXmlTest::testClasses with data set #17":0.009,"Test\\InfoXmlTest::testClasses with data set #18":0.001,"Test\\InitialStateServiceTest::testStaticData with data set #0":0,"Test\\InitialStateServiceTest::testStaticData with data set #1":0,"Test\\InitialStateServiceTest::testStaticData with data set #2":0,"Test\\InitialStateServiceTest::testStaticData with data set #3":0,"Test\\InitialStateServiceTest::testStaticButInvalidData":0,"Test\\InitialStateServiceTest::testLazyData with data set #0":0,"Test\\InitialStateServiceTest::testLazyData with data set #1":0,"Test\\InitialStateServiceTest::testLazyData with data set #2":0,"Test\\InitialStateServiceTest::testLazyData with data set #3":0,"Test\\InstallerTest::testInstallApp":0.003,"Test\\InstallerTest::testIsUpdateAvailable with data set #0":0,"Test\\InstallerTest::testIsUpdateAvailable with data set #1":0,"Test\\InstallerTest::testDownloadAppWithRevokedCertificate":0.01,"Test\\InstallerTest::testDownloadAppWithNotNextcloudCertificate":0.011,"Test\\InstallerTest::testDownloadAppWithDifferentCN":0.014,"Test\\InstallerTest::testDownloadAppWithInvalidSignature":0.02,"Test\\InstallerTest::testDownloadAppWithMoreThanOneFolderDownloaded":0.016,"Test\\InstallerTest::testDownloadAppWithMismatchingIdentifier":0.016,"Test\\InstallerTest::testDownloadAppSuccessful":0.015,"Test\\InstallerTest::testDownloadAppWithDowngrade":0.03,"Test\\IntegrityCheck\\CheckerTest::testWriteAppSignatureOfNotExistingApp":0.011,"Test\\IntegrityCheck\\CheckerTest::testWriteAppSignatureWrongPermissions":0.17,"Test\\IntegrityCheck\\CheckerTest::testWriteAppSignature":0.168,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppSignatureWithoutSignatureData":0,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppSignatureWithValidSignatureData":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppSignatureWithTamperedSignatureData":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppSignatureWithTamperedFiles":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppSignatureWithTamperedFilesAndAlternatePath":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppWithDifferentScope":0.018,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppWithDifferentScopeAndAlwaysTrustedCore":0.036,"Test\\IntegrityCheck\\CheckerTest::testWriteCoreSignatureWithException":0.011,"Test\\IntegrityCheck\\CheckerTest::testWriteCoreSignatureWrongPermissions":0.011,"Test\\IntegrityCheck\\CheckerTest::testWriteCoreSignature":0.168,"Test\\IntegrityCheck\\CheckerTest::testWriteCoreSignatureWithUnmodifiedHtaccess":0.166,"Test\\IntegrityCheck\\CheckerTest::testWriteCoreSignatureWithInvalidModifiedHtaccess":0.168,"Test\\IntegrityCheck\\CheckerTest::testWriteCoreSignatureWithValidModifiedHtaccess":0.169,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreSignatureWithoutSignatureData":0,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreSignatureWithValidSignatureData":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreSignatureWithValidModifiedHtaccessSignatureData":0.035,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreSignatureWithModifiedMimetypelistSignatureData":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreSignatureWithValidSignatureDataAndNotAlphabeticOrder":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreSignatureWithTamperedSignatureData":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreSignatureWithTamperedFiles":0.036,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreWithInvalidCertificate":0.017,"Test\\IntegrityCheck\\CheckerTest::testVerifyCoreWithDifferentScope":0.018,"Test\\IntegrityCheck\\CheckerTest::testRunInstanceVerification":0,"Test\\IntegrityCheck\\CheckerTest::testVerifyAppSignatureWithoutSignatureDataAndCodeCheckerDisabled":0,"Test\\IntegrityCheck\\CheckerTest::testIsCodeCheckEnforced with data set #0":0,"Test\\IntegrityCheck\\CheckerTest::testIsCodeCheckEnforced with data set #1":0,"Test\\IntegrityCheck\\CheckerTest::testIsCodeCheckEnforcedWithDisabledConfigSwitch with data set #0":0,"Test\\IntegrityCheck\\CheckerTest::testIsCodeCheckEnforcedWithDisabledConfigSwitch with data set #1":0,"Test\\IntegrityCheck\\Helpers\\AppLocatorTest::testGetAppPath":0,"Test\\IntegrityCheck\\Helpers\\AppLocatorTest::testGetAppPathNotExistentApp":0,"Test\\IntegrityCheck\\Helpers\\AppLocatorTest::testGetAllApps":0,"Test\\IntegrityCheck\\Helpers\\EnvironmentHelperTest::testGetServerRoot":0,"Test\\IntegrityCheck\\Helpers\\EnvironmentHelperTest::testGetChannel":0,"Test\\IntegrityCheck\\Helpers\\FileAccessHelperTest::testReadAndWrite":0,"Test\\IntegrityCheck\\Helpers\\FileAccessHelperTest::testFile_put_contentsWithException":0,"Test\\IntegrityCheck\\Helpers\\FileAccessHelperTest::testIs_writable":0,"Test\\IntegrityCheck\\Helpers\\FileAccessHelperTest::testAssertDirectoryExistsWithException":0,"Test\\IntegrityCheck\\Helpers\\FileAccessHelperTest::testAssertDirectoryExists":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #0":0.001,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #1":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #2":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #3":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #4":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #5":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #6":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForFiles with data set #7":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #0":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #1":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #2":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #3":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #4":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #5":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #6":0,"Test\\IntegrityCheck\\Iterator\\ExcludeFileByNameFilterIteratorTest::testAcceptForDirs with data set #7":0,"Test\\L10N\\FactoryTest::testFindLanguageWithExistingRequestLanguageAndNoApp":0,"Test\\L10N\\FactoryTest::testFindLanguageWithExistingRequestLanguageAndApp":0,"Test\\L10N\\FactoryTest::testFindLanguageWithNotExistingRequestLanguageAndExistingStoredUserLanguage":0,"Test\\L10N\\FactoryTest::testFindLanguageWithNotExistingRequestLanguageAndNotExistingStoredUserLanguage":0,"Test\\L10N\\FactoryTest::testFindLanguageWithNotExistingRequestLanguageAndNotExistingStoredUserLanguageAndNotExistingDefault":0,"Test\\L10N\\FactoryTest::testFindLanguageWithNotExistingRequestLanguageAndNotExistingStoredUserLanguageAndNotExistingDefaultAndNoAppInScope":0,"Test\\L10N\\FactoryTest::testFindLanguageWithForcedLanguage":0,"Test\\L10N\\FactoryTest::testFindAvailableLanguages with data set #0":0,"Test\\L10N\\FactoryTest::testFindAvailableLanguages with data set #1":0,"Test\\L10N\\FactoryTest::testFindAvailableLanguagesWithThemes":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #0":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #1":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #2":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #3":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #4":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #5":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #6":0,"Test\\L10N\\FactoryTest::testLanguageExists with data set #7":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #0":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #1":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #2":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #3":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #4":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #5":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #6":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #7":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #8":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #9":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #10":0,"Test\\L10N\\FactoryTest::testGetLanguageFromRequest with data set #11":0,"Test\\L10N\\FactoryTest::testGetL10nFilesForApp with data set #0":0,"Test\\L10N\\FactoryTest::testGetL10nFilesForApp with data set #1":0,"Test\\L10N\\FactoryTest::testGetL10nFilesForApp with data set #2":0,"Test\\L10N\\FactoryTest::testGetL10nFilesForApp with data set #3":0,"Test\\L10N\\FactoryTest::testGetL10nFilesForApp with data set #4":0,"Test\\L10N\\FactoryTest::testGetL10nFilesForApp with data set #5":0,"Test\\L10N\\FactoryTest::testGetL10nFilesForApp with data set #6":0,"Test\\L10N\\FactoryTest::testFindL10NDir with data set #0":0,"Test\\L10N\\FactoryTest::testFindL10NDir with data set #1":0,"Test\\L10N\\FactoryTest::testFindL10NDir with data set #2":0,"Test\\L10N\\FactoryTest::testFindL10NDir with data set #3":0,"Test\\L10N\\FactoryTest::testFindL10NDir with data set #4":0,"Test\\L10N\\FactoryTest::testFindL10NDir with data set #5":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #0":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #1":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #2":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #3":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #4":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #5":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #6":0,"Test\\L10N\\FactoryTest::testFindLanguage with data set #7":0,"Test\\L10N\\FactoryTest::testFindGenericLanguageByEnforcedLanguage":0,"Test\\L10N\\FactoryTest::testFindGenericLanguageByDefaultLanguage":0,"Test\\L10N\\FactoryTest::testFindGenericLanguageByUserLanguage":0,"Test\\L10N\\FactoryTest::testFindGenericLanguageByRequestLanguage":0,"Test\\L10N\\FactoryTest::testFindGenericLanguageFallback":0,"Test\\L10N\\FactoryTest::testRespectDefaultLanguage with data set #0":0,"Test\\L10N\\FactoryTest::testRespectDefaultLanguage with data set #1":0,"Test\\L10N\\FactoryTest::testRespectDefaultLanguage with data set #2":0,"Test\\L10N\\FactoryTest::testRespectDefaultLanguage with data set #3":0,"Test\\L10N\\FactoryTest::testGetLanguageIterator with data set #0":0,"Test\\L10N\\FactoryTest::testGetLanguageIterator with data set #1":0,"Test\\L10N\\FactoryTest::testGetLanguageIterator with data set #2":0,"Test\\L10N\\L10nTest::testGermanPluralTranslations":0,"Test\\L10N\\L10nTest::testRussianPluralTranslations":0,"Test\\L10N\\L10nTest::testCzechPluralTranslations":0,"Test\\L10N\\L10nTest::testPlaceholders with data set #0":0,"Test\\L10N\\L10nTest::testPlaceholders with data set #1":0,"Test\\L10N\\L10nTest::testPlaceholders with data set #2":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #0":0.001,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #1":0.005,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #2":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #3":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #4":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #5":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #6":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #7":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #8":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #9":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #10":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #11":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #12":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #13":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #14":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #15":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #16":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #17":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #18":0.001,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #19":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #20":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #21":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #22":0,"Test\\L10N\\L10nTest::testNumericStringLocalization with data set #23":0,"Test\\L10N\\L10nTest::testFirstWeekDay with data set #0":0,"Test\\L10N\\L10nTest::testFirstWeekDay with data set #1":0,"Test\\L10N\\L10nTest::testJSDate with data set #0":0,"Test\\L10N\\L10nTest::testJSDate with data set #1":0,"Test\\L10N\\L10nTest::testFactoryGetLanguageCode":0.001,"Test\\L10N\\L10nTest::testServiceGetLanguageCode":0,"Test\\L10N\\L10nTest::testWeekdayName":0,"Test\\L10N\\L10nTest::testFindLanguageFromLocale with data set \"en_US\"":0,"Test\\L10N\\L10nTest::testFindLanguageFromLocale with data set \"en_UK\"":0,"Test\\L10N\\L10nTest::testFindLanguageFromLocale with data set \"de_DE\"":0,"Test\\L10N\\L10nTest::testFindLanguageFromLocale with data set \"de_AT\"":0,"Test\\L10N\\L10nTest::testFindLanguageFromLocale with data set \"es_EC\"":0,"Test\\L10N\\L10nTest::testFindLanguageFromLocale with data set \"fi_FI\"":0,"Test\\L10N\\L10nTest::testFindLanguageFromLocale with data set \"zh_CN\"":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #0":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #1":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #2":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #3":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #4":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #5":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #6":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #7":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #8":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #9":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #10":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #11":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #12":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #13":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #14":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #15":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #16":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #17":0,"Test\\L10N\\LanguageIteratorTest::testIterator with data set #18":0,"Test\\LargeFileHelperGetFileSizeTest::testGetFileSizeViaExec with data set #0":0.004,"Test\\LargeFileHelperGetFileSizeTest::testGetFileSizeViaExec with data set #1":0.002,"Test\\LargeFileHelperGetFileSizeTest::testGetFileSizeNative with data set #0":0,"Test\\LargeFileHelperGetFileSizeTest::testGetFileSizeNative with data set #1":0,"Test\\LargeFileHelperTest::testFormatUnsignedIntegerFloat":0,"Test\\LargeFileHelperTest::testFormatUnsignedIntegerInt":0,"Test\\LargeFileHelperTest::testFormatUnsignedIntegerString":0,"Test\\LargeFileHelperTest::testFormatUnsignedIntegerStringException":0,"Test\\LegacyHelperTest::testHumanFileSize with data set #0":0,"Test\\LegacyHelperTest::testHumanFileSize with data set #1":0,"Test\\LegacyHelperTest::testHumanFileSize with data set #2":0,"Test\\LegacyHelperTest::testHumanFileSize with data set #3":0,"Test\\LegacyHelperTest::testHumanFileSize with data set #4":0,"Test\\LegacyHelperTest::testHumanFileSize with data set #5":0,"Test\\LegacyHelperTest::testHumanFileSize with data set #6":0,"Test\\LegacyHelperTest::testComputerFileSize with data set #0":0,"Test\\LegacyHelperTest::testComputerFileSize with data set #1":0,"Test\\LegacyHelperTest::testComputerFileSize with data set #2":0,"Test\\LegacyHelperTest::testComputerFileSize with data set #3":0,"Test\\LegacyHelperTest::testComputerFileSize with data set #4":0,"Test\\LegacyHelperTest::testComputerFileSize with data set #5":0,"Test\\LegacyHelperTest::testMb_array_change_key_case":0,"Test\\LegacyHelperTest::testRecursiveArraySearch":0,"Test\\LegacyHelperTest::testBuildNotExistingFileNameForView":0,"Test\\LegacyHelperTest::testStreamCopy with data set #0":0,"Test\\LegacyHelperTest::testStreamCopy with data set #1":0,"Test\\LegacyHelperTest::testStreamCopy with data set #2":0,"Test\\LegacyHelperTest::testStreamCopy with data set #3":0,"Test\\LegacyHelperTest::testRecursiveFolderDeletion":0.001,"Test\\Lock\\DBLockingProviderTest::testCleanEmptyLocks":0.001,"Test\\Lock\\DBLockingProviderTest::testDoubleShared":0,"Test\\Lock\\DBLockingProviderTest::testExclusiveLock":0,"Test\\Lock\\DBLockingProviderTest::testSharedLock":0,"Test\\Lock\\DBLockingProviderTest::testDoubleSharedLock":0,"Test\\Lock\\DBLockingProviderTest::testReleaseSharedLock":0,"Test\\Lock\\DBLockingProviderTest::testDoubleExclusiveLock":0,"Test\\Lock\\DBLockingProviderTest::testReleaseExclusiveLock":0,"Test\\Lock\\DBLockingProviderTest::testExclusiveLockAfterShared":0,"Test\\Lock\\DBLockingProviderTest::testExclusiveLockAfterSharedReleased":0,"Test\\Lock\\DBLockingProviderTest::testReleaseAll":0.001,"Test\\Lock\\DBLockingProviderTest::testReleaseAllAfterChange":0.001,"Test\\Lock\\DBLockingProviderTest::testReleaseAllAfterUnlock":0,"Test\\Lock\\DBLockingProviderTest::testReleaseAfterReleaseAll":0,"Test\\Lock\\DBLockingProviderTest::testSharedLockAfterExclusive":0,"Test\\Lock\\DBLockingProviderTest::testLockedExceptionHasPathForShared":0,"Test\\Lock\\DBLockingProviderTest::testLockedExceptionHasPathForExclusive":0,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusive":0,"Test\\Lock\\DBLockingProviderTest::testChangeLockToShared":0,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusiveDoubleShared":0,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusiveNoShared":0,"Test\\Lock\\DBLockingProviderTest::testChangeLockToExclusiveFromExclusive":0,"Test\\Lock\\DBLockingProviderTest::testChangeLockToSharedNoExclusive":0,"Test\\Lock\\DBLockingProviderTest::testChangeLockToSharedFromShared":0,"Test\\Lock\\DBLockingProviderTest::testReleaseNonExistingShared":0,"Test\\Lock\\MemcacheLockingProviderTest::testExclusiveLock":0,"Test\\Lock\\MemcacheLockingProviderTest::testSharedLock":0,"Test\\Lock\\MemcacheLockingProviderTest::testDoubleSharedLock":0,"Test\\Lock\\MemcacheLockingProviderTest::testReleaseSharedLock":0,"Test\\Lock\\MemcacheLockingProviderTest::testDoubleExclusiveLock":0,"Test\\Lock\\MemcacheLockingProviderTest::testReleaseExclusiveLock":0,"Test\\Lock\\MemcacheLockingProviderTest::testExclusiveLockAfterShared":0,"Test\\Lock\\MemcacheLockingProviderTest::testExclusiveLockAfterSharedReleased":0,"Test\\Lock\\MemcacheLockingProviderTest::testReleaseAll":0,"Test\\Lock\\MemcacheLockingProviderTest::testReleaseAllAfterChange":0,"Test\\Lock\\MemcacheLockingProviderTest::testReleaseAllAfterUnlock":0,"Test\\Lock\\MemcacheLockingProviderTest::testReleaseAfterReleaseAll":0,"Test\\Lock\\MemcacheLockingProviderTest::testSharedLockAfterExclusive":0,"Test\\Lock\\MemcacheLockingProviderTest::testLockedExceptionHasPathForShared":0,"Test\\Lock\\MemcacheLockingProviderTest::testLockedExceptionHasPathForExclusive":0,"Test\\Lock\\MemcacheLockingProviderTest::testChangeLockToExclusive":0,"Test\\Lock\\MemcacheLockingProviderTest::testChangeLockToShared":0,"Test\\Lock\\MemcacheLockingProviderTest::testChangeLockToExclusiveDoubleShared":0,"Test\\Lock\\MemcacheLockingProviderTest::testChangeLockToExclusiveNoShared":0,"Test\\Lock\\MemcacheLockingProviderTest::testChangeLockToExclusiveFromExclusive":0,"Test\\Lock\\MemcacheLockingProviderTest::testChangeLockToSharedNoExclusive":0,"Test\\Lock\\MemcacheLockingProviderTest::testChangeLockToSharedFromShared":0,"Test\\Lock\\MemcacheLockingProviderTest::testReleaseNonExistingShared":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testDoubleShared":0.001,"Test\\Lock\\NonCachingDBLockingProviderTest::testCleanEmptyLocks":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testExclusiveLock":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testSharedLock":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testDoubleSharedLock":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseSharedLock":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testDoubleExclusiveLock":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseExclusiveLock":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testExclusiveLockAfterShared":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testExclusiveLockAfterSharedReleased":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAll":0.001,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAllAfterChange":0.001,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAllAfterUnlock":0.001,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseAfterReleaseAll":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testSharedLockAfterExclusive":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testLockedExceptionHasPathForShared":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testLockedExceptionHasPathForExclusive":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToExclusive":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToShared":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToExclusiveDoubleShared":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToExclusiveNoShared":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToExclusiveFromExclusive":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToSharedNoExclusive":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testChangeLockToSharedFromShared":0,"Test\\Lock\\NonCachingDBLockingProviderTest::testReleaseNonExistingShared":0,"Test\\Lockdown\\Filesystem\\NoFSTest::testSetupFS":0.001,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetNumericStorageId":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetEmpty":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGet":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetFolderContents":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetFolderContentsById":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testPut":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testInsert":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testUpdate":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetId":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetParentId":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testInCache":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testRemove":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testMove":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testMoveFromCache":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetStatus":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testSearch":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testSearchByMime":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetIncomplete":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testGetPathById":0,"Test\\Lockdown\\Filesystem\\NulLCacheTest::testNormalize":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetId":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testMkdir":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testRmdir":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testOpendir":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIs_dir":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIs_file":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testStat":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFiletype":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFilesize":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIsCreatable":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIsReadable":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIsUpdatable":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIsDeletable":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIsSharable":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetPermissions":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFile_exists":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFilemtime":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFile_get_contents":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFile_put_contents":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testUnlink":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testRename":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testCopy":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFopen":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetMimeType":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testHash":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testFree_space":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testTouch":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetLocalFile":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testHasUpdated":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetETag":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testIsLocal":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetDirectDownload":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testCopyFromStorage":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testMoveFromStorage":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testTest":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetOwner":0,"Test\\Lockdown\\Filesystem\\NullStorageTest::testGetCache":0,"Test\\Lockdown\\LockdownManagerTest::testCanAccessFilesystemDisabled":0,"Test\\Lockdown\\LockdownManagerTest::testCanAccessFilesystemAllowed":0,"Test\\Lockdown\\LockdownManagerTest::testCanAccessFilesystemNotAllowed":0,"Test\\Log\\FileTest::testMicrosecondsLogTimestamp":0,"Test\\Log\\LogFactoryTest::testFile with data set #0":0,"Test\\Log\\LogFactoryTest::testFile with data set #1":0,"Test\\Log\\LogFactoryTest::testFile with data set #2":0,"Test\\Log\\LogFactoryTest::testFile with data set #3":0,"Test\\Log\\LogFactoryTest::testFileCustomPath with data set #0":0,"Test\\Log\\LogFactoryTest::testFileCustomPath with data set #1":0,"Test\\Log\\LogFactoryTest::testErrorLog":0,"Test\\Log\\LogFactoryTest::testSystemLog":0,"Test\\Log\\LogFactoryTest::testSystemdLog":0,"Test\\LoggerTest::testInterpolation":0,"Test\\LoggerTest::testAppCondition":0,"Test\\LoggerTest::testDetectlogin with data set #0":0,"Test\\LoggerTest::testDetectlogin with data set #1":0,"Test\\LoggerTest::testDetectlogin with data set #2":0,"Test\\LoggerTest::testDetectlogin with data set #3":0,"Test\\LoggerTest::testDetectlogin with data set #4":0,"Test\\LoggerTest::testDetectlogin with data set #5":0,"Test\\LoggerTest::testDetectlogin with data set #6":0,"Test\\LoggerTest::testDetectlogin with data set #7":0,"Test\\LoggerTest::testDetectcheckPassword with data set #0":0,"Test\\LoggerTest::testDetectcheckPassword with data set #1":0,"Test\\LoggerTest::testDetectcheckPassword with data set #2":0,"Test\\LoggerTest::testDetectcheckPassword with data set #3":0,"Test\\LoggerTest::testDetectcheckPassword with data set #4":0,"Test\\LoggerTest::testDetectcheckPassword with data set #5":0,"Test\\LoggerTest::testDetectcheckPassword with data set #6":0,"Test\\LoggerTest::testDetectcheckPassword with data set #7":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #0":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #1":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #2":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #3":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #4":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #5":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #6":0,"Test\\LoggerTest::testDetectvalidateUserPass with data set #7":0,"Test\\LoggerTest::testDetecttryLogin with data set #0":0,"Test\\LoggerTest::testDetecttryLogin with data set #1":0,"Test\\LoggerTest::testDetecttryLogin with data set #2":0,"Test\\LoggerTest::testDetecttryLogin with data set #3":0,"Test\\LoggerTest::testDetecttryLogin with data set #4":0,"Test\\LoggerTest::testDetecttryLogin with data set #5":0,"Test\\LoggerTest::testDetecttryLogin with data set #6":0,"Test\\LoggerTest::testDetecttryLogin with data set #7":0,"Test\\LoggerTest::testDetectclosure with data set #0":0,"Test\\LoggerTest::testDetectclosure with data set #1":0,"Test\\LoggerTest::testDetectclosure with data set #2":0,"Test\\LoggerTest::testDetectclosure with data set #3":0,"Test\\LoggerTest::testDetectclosure with data set #4":0,"Test\\LoggerTest::testDetectclosure with data set #5":0,"Test\\LoggerTest::testDetectclosure with data set #6":0,"Test\\LoggerTest::testDetectclosure with data set #7":0,"Test\\Mail\\EMailTemplateTest::testEMailTemplateCustomFooter":0.001,"Test\\Mail\\EMailTemplateTest::testEMailTemplateDefaultFooter":0,"Test\\Mail\\EMailTemplateTest::testEMailTemplateSingleButton":0,"Test\\Mail\\EMailTemplateTest::testEMailTemplateAlternativePlainTexts":0,"Test\\Mail\\MailerTest::testGetSendmailInstanceSendMail with data set \"smtp\"":0.009,"Test\\Mail\\MailerTest::testGetSendmailInstanceSendMail with data set \"pipe\"":0,"Test\\Mail\\MailerTest::testGetSendmailInstanceSendMailQmail with data set \"smtp\"":0,"Test\\Mail\\MailerTest::testGetSendmailInstanceSendMailQmail with data set \"pipe\"":0,"Test\\Mail\\MailerTest::testGetInstanceDefault":0.004,"Test\\Mail\\MailerTest::testGetInstanceSendmail":0,"Test\\Mail\\MailerTest::testEvents":0.015,"Test\\Mail\\MailerTest::testCreateMessage":0.014,"Test\\Mail\\MailerTest::testSendInvalidMailException":0.001,"Test\\Mail\\MailerTest::testValidateMailAddress with data set #0":0,"Test\\Mail\\MailerTest::testValidateMailAddress with data set #1":0,"Test\\Mail\\MailerTest::testValidateMailAddress with data set #2":0,"Test\\Mail\\MailerTest::testValidateMailAddress with data set #3":0,"Test\\Mail\\MailerTest::testValidateMailAddress with data set #4":0,"Test\\Mail\\MailerTest::testValidateMailAddress with data set #5":0,"Test\\Mail\\MailerTest::testValidateMailAddress with data set #6":0,"Test\\Mail\\MailerTest::testCreateEMailTemplate":0,"Test\\Mail\\MailerTest::testStreamingOptions":0,"Test\\Mail\\MailerTest::testStreamingOptionsWrongType":0,"Test\\Mail\\MailerTest::testLocalDomain":0,"Test\\Mail\\MailerTest::testLocalDomainInvalidUrl":0,"Test\\Mail\\MessageTest::testConvertAddresses with data set #0":0.001,"Test\\Mail\\MessageTest::testConvertAddresses with data set #1":0,"Test\\Mail\\MessageTest::testConvertAddresses with data set #2":0,"Test\\Mail\\MessageTest::testSetFrom":0,"Test\\Mail\\MessageTest::testGetFrom with data set #0":0,"Test\\Mail\\MessageTest::testGetFrom with data set #1":0,"Test\\Mail\\MessageTest::testSetReplyTo":0,"Test\\Mail\\MessageTest::testGetReplyTo":0,"Test\\Mail\\MessageTest::testSetTo":0,"Test\\Mail\\MessageTest::testGetTo with data set #0":0,"Test\\Mail\\MessageTest::testGetTo with data set #1":0,"Test\\Mail\\MessageTest::testSetCc":0,"Test\\Mail\\MessageTest::testGetCc with data set #0":0,"Test\\Mail\\MessageTest::testGetCc with data set #1":0,"Test\\Mail\\MessageTest::testSetBcc":0,"Test\\Mail\\MessageTest::testGetBcc with data set #0":0,"Test\\Mail\\MessageTest::testGetBcc with data set #1":0,"Test\\Mail\\MessageTest::testSetSubject":0,"Test\\Mail\\MessageTest::testGetSubject":0,"Test\\Mail\\MessageTest::testSetPlainBody":0,"Test\\Mail\\MessageTest::testGetPlainBody":0,"Test\\Mail\\MessageTest::testSetHtmlBody":0,"Test\\Mail\\MessageTest::testPlainTextRenderOption":0,"Test\\Mail\\MessageTest::testBothRenderingOptions":0,"Test\\Memcache\\APCuTest::testCasIntChanged":0.001,"Test\\Memcache\\APCuTest::testCasIntNotChanged":0,"Test\\Memcache\\APCuTest::testExistsAfterSet":0,"Test\\Memcache\\APCuTest::testGetAfterSet":0,"Test\\Memcache\\APCuTest::testGetArrayAfterSet":0,"Test\\Memcache\\APCuTest::testDoesNotExistAfterRemove":0,"Test\\Memcache\\APCuTest::testRemoveNonExisting":0,"Test\\Memcache\\APCuTest::testArrayAccessSet":0,"Test\\Memcache\\APCuTest::testArrayAccessGet":0,"Test\\Memcache\\APCuTest::testArrayAccessExists":0,"Test\\Memcache\\APCuTest::testArrayAccessUnset":0,"Test\\Memcache\\APCuTest::testAdd":0,"Test\\Memcache\\APCuTest::testInc":0,"Test\\Memcache\\APCuTest::testDec":0,"Test\\Memcache\\APCuTest::testCasNotChanged":0,"Test\\Memcache\\APCuTest::testCasChanged":0,"Test\\Memcache\\APCuTest::testCadNotChanged":0,"Test\\Memcache\\APCuTest::testCadChanged":0,"Test\\Memcache\\APCuTest::testSimple":0,"Test\\Memcache\\APCuTest::testClear":0,"Test\\Memcache\\ArrayCacheTest::testExistsAfterSet":0,"Test\\Memcache\\ArrayCacheTest::testGetAfterSet":0,"Test\\Memcache\\ArrayCacheTest::testGetArrayAfterSet":0,"Test\\Memcache\\ArrayCacheTest::testDoesNotExistAfterRemove":0,"Test\\Memcache\\ArrayCacheTest::testRemoveNonExisting":0,"Test\\Memcache\\ArrayCacheTest::testArrayAccessSet":0,"Test\\Memcache\\ArrayCacheTest::testArrayAccessGet":0,"Test\\Memcache\\ArrayCacheTest::testArrayAccessExists":0,"Test\\Memcache\\ArrayCacheTest::testArrayAccessUnset":0,"Test\\Memcache\\ArrayCacheTest::testAdd":0,"Test\\Memcache\\ArrayCacheTest::testInc":0,"Test\\Memcache\\ArrayCacheTest::testDec":0,"Test\\Memcache\\ArrayCacheTest::testCasNotChanged":0,"Test\\Memcache\\ArrayCacheTest::testCasChanged":0,"Test\\Memcache\\ArrayCacheTest::testCadNotChanged":0,"Test\\Memcache\\ArrayCacheTest::testCadChanged":0,"Test\\Memcache\\ArrayCacheTest::testSimple":0,"Test\\Memcache\\ArrayCacheTest::testClear":0,"Test\\Memcache\\CasTraitTest::testCasNotChanged":0.001,"Test\\Memcache\\CasTraitTest::testCasChanged":0,"Test\\Memcache\\FactoryTest::testCacheAvailability with data set #0":0,"Test\\Memcache\\FactoryTest::testCacheAvailability with data set #1":0,"Test\\Memcache\\FactoryTest::testCacheAvailability with data set #2":0,"Test\\Memcache\\FactoryTest::testCacheAvailability with data set #3":0,"Test\\Memcache\\FactoryTest::testCacheAvailability with data set #4":0,"Test\\Memcache\\FactoryTest::testCacheNotAvailableException with data set #0":0,"Test\\Memcache\\FactoryTest::testCacheNotAvailableException with data set #1":0,"Test\\Memcache\\FactoryTest::testCacheNotAvailableException with data set #2":0,"Test\\Memcache\\MemcachedTest::testClear":0,"Test\\Memcache\\MemcachedTest::testExistsAfterSet":0,"Test\\Memcache\\MemcachedTest::testGetAfterSet":0,"Test\\Memcache\\MemcachedTest::testGetArrayAfterSet":0,"Test\\Memcache\\MemcachedTest::testDoesNotExistAfterRemove":0,"Test\\Memcache\\MemcachedTest::testRemoveNonExisting":0,"Test\\Memcache\\MemcachedTest::testArrayAccessSet":0,"Test\\Memcache\\MemcachedTest::testArrayAccessGet":0,"Test\\Memcache\\MemcachedTest::testArrayAccessExists":0,"Test\\Memcache\\MemcachedTest::testArrayAccessUnset":0,"Test\\Memcache\\MemcachedTest::testAdd":0,"Test\\Memcache\\MemcachedTest::testInc":0,"Test\\Memcache\\MemcachedTest::testDec":0,"Test\\Memcache\\MemcachedTest::testCasNotChanged":0,"Test\\Memcache\\MemcachedTest::testCasChanged":0,"Test\\Memcache\\MemcachedTest::testCadNotChanged":0,"Test\\Memcache\\MemcachedTest::testCadChanged":0,"Test\\Memcache\\MemcachedTest::testSimple":0,"Test\\Memcache\\RedisTest::testExistsAfterSet":0,"Test\\Memcache\\RedisTest::testGetAfterSet":0,"Test\\Memcache\\RedisTest::testGetArrayAfterSet":0,"Test\\Memcache\\RedisTest::testDoesNotExistAfterRemove":0,"Test\\Memcache\\RedisTest::testRemoveNonExisting":0,"Test\\Memcache\\RedisTest::testArrayAccessSet":0,"Test\\Memcache\\RedisTest::testArrayAccessGet":0,"Test\\Memcache\\RedisTest::testArrayAccessExists":0,"Test\\Memcache\\RedisTest::testArrayAccessUnset":0,"Test\\Memcache\\RedisTest::testAdd":0,"Test\\Memcache\\RedisTest::testInc":0,"Test\\Memcache\\RedisTest::testDec":0,"Test\\Memcache\\RedisTest::testCasNotChanged":0,"Test\\Memcache\\RedisTest::testCasChanged":0,"Test\\Memcache\\RedisTest::testCadNotChanged":0,"Test\\Memcache\\RedisTest::testCadChanged":0,"Test\\Memcache\\RedisTest::testSimple":0,"Test\\Memcache\\RedisTest::testClear":0,"Test\\MemoryInfoTest::testMemoryLimit with data set \"unlimited\"":0,"Test\\MemoryInfoTest::testMemoryLimit with data set \"524288000 bytes\"":0,"Test\\MemoryInfoTest::testMemoryLimit with data set \"500M\"":0,"Test\\MemoryInfoTest::testMemoryLimit with data set \"512000K\"":0,"Test\\MemoryInfoTest::testMemoryLimit with data set \"2G\"":0,"Test\\MemoryInfoTest::testIsMemoryLimitSufficient with data set \"unlimited\"":0,"Test\\MemoryInfoTest::testIsMemoryLimitSufficient with data set \"512M\"":0,"Test\\MemoryInfoTest::testIsMemoryLimitSufficient with data set \"1G\"":0,"Test\\MemoryInfoTest::testIsMemoryLimitSufficient with data set \"256M\"":0,"Test\\Migration\\BackgroundRepairTest::testNoArguments":0.011,"Test\\Migration\\BackgroundRepairTest::testAppUpgrading":0.001,"Test\\Migration\\BackgroundRepairTest::testUnknownStep":0.001,"Test\\Migration\\BackgroundRepairTest::testWorkingStep":0.001,"Test\\NaturalSortTest::testNaturalSortCompare with data set #0":0.004,"Test\\NaturalSortTest::testNaturalSortCompare with data set #1":0,"Test\\NaturalSortTest::testNaturalSortCompare with data set #2":0,"Test\\NaturalSortTest::testNaturalSortCompare with data set #3":0,"Test\\NaturalSortTest::testDefaultCollatorCompare with data set #0":0,"Test\\NaturalSortTest::testDefaultCollatorCompare with data set #1":0,"Test\\NavigationManagerTest::testAddArray with data set #0":0,"Test\\NavigationManagerTest::testAddArray with data set #1":0,"Test\\NavigationManagerTest::testAddClosure with data set #0":0,"Test\\NavigationManagerTest::testAddClosure with data set #1":0,"Test\\NavigationManagerTest::testAddArrayClearGetAll":0,"Test\\NavigationManagerTest::testAddClosureClearGetAll":0,"Test\\NavigationManagerTest::testWithAppManager with data set \"minimalistic\"":0.001,"Test\\NavigationManagerTest::testWithAppManager with data set \"minimalistic-settings\"":0,"Test\\NavigationManagerTest::testWithAppManager with data set \"admin\"":0,"Test\\NavigationManagerTest::testWithAppManager with data set \"no name\"":0,"Test\\NavigationManagerTest::testWithAppManager with data set \"no admin\"":0,"Test\\Notification\\ActionTest::testSetLabel with data set #0":0,"Test\\Notification\\ActionTest::testSetLabel with data set #1":0,"Test\\Notification\\ActionTest::testSetLabel with data set #2":0,"Test\\Notification\\ActionTest::testSetLabelInvalid with data set #0":0,"Test\\Notification\\ActionTest::testSetLabelInvalid with data set #1":0,"Test\\Notification\\ActionTest::testSetParsedLabel with data set #0":0,"Test\\Notification\\ActionTest::testSetParsedLabel with data set #1":0,"Test\\Notification\\ActionTest::testSetParsedLabel with data set #2":0,"Test\\Notification\\ActionTest::testSetParsedLabelInvalid with data set #0":0,"Test\\Notification\\ActionTest::testSetLink with data set #0":0,"Test\\Notification\\ActionTest::testSetLink with data set #1":0,"Test\\Notification\\ActionTest::testSetLink with data set #2":0,"Test\\Notification\\ActionTest::testSetLink with data set #3":0,"Test\\Notification\\ActionTest::testSetLinkInvalid with data set #0":0,"Test\\Notification\\ActionTest::testSetLinkInvalid with data set #1":0,"Test\\Notification\\ActionTest::testSetLinkInvalid with data set #2":0,"Test\\Notification\\ActionTest::testSetPrimary with data set #0":0,"Test\\Notification\\ActionTest::testSetPrimary with data set #1":0,"Test\\Notification\\ActionTest::testIsValid":0,"Test\\Notification\\ActionTest::testIsValidParsed":0,"Test\\Notification\\ManagerTest::testRegisterApp":0,"Test\\Notification\\ManagerTest::testRegisterAppInvalid":0,"Test\\Notification\\ManagerTest::testRegisterNotifier":0,"Test\\Notification\\ManagerTest::testRegisterNotifierBootstrap":0,"Test\\Notification\\ManagerTest::testRegisterNotifierInvalid":0,"Test\\Notification\\ManagerTest::testCreateNotification":0,"Test\\Notification\\ManagerTest::testNotify":0.001,"Test\\Notification\\ManagerTest::testNotifyInvalid":0,"Test\\Notification\\ManagerTest::testMarkProcessed":0,"Test\\Notification\\ManagerTest::testGetCount":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #0":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #1":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #2":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #3":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #4":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #5":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #6":0,"Test\\Notification\\ManagerTest::testIsFairUseOfFreePushService with data set #7":0,"Test\\Notification\\NotificationTest::testSetApp with data set #0":0,"Test\\Notification\\NotificationTest::testSetApp with data set #1":0,"Test\\Notification\\NotificationTest::testSetApp with data set #2":0,"Test\\Notification\\NotificationTest::testSetApp with data set #3":0,"Test\\Notification\\NotificationTest::testSetAppInvalid with data set #0":0,"Test\\Notification\\NotificationTest::testSetAppInvalid with data set #1":0,"Test\\Notification\\NotificationTest::testSetUser with data set #0":0,"Test\\Notification\\NotificationTest::testSetUser with data set #1":0,"Test\\Notification\\NotificationTest::testSetUser with data set #2":0,"Test\\Notification\\NotificationTest::testSetUser with data set #3":0,"Test\\Notification\\NotificationTest::testSetUserInvalid with data set #0":0,"Test\\Notification\\NotificationTest::testSetUserInvalid with data set #1":0,"Test\\Notification\\NotificationTest::testSetDateTime with data set #0":0,"Test\\Notification\\NotificationTest::testSetDateTime with data set #1":0,"Test\\Notification\\NotificationTest::testSetDateTime with data set #2":0,"Test\\Notification\\NotificationTest::testSetDateTimeZero with data set #0":0,"Test\\Notification\\NotificationTest::testSetObject with data set #0":0,"Test\\Notification\\NotificationTest::testSetObject with data set #1":0,"Test\\Notification\\NotificationTest::testSetObjectIdInvalid with data set #0":0,"Test\\Notification\\NotificationTest::testSetObjectIdInvalid with data set #1":0,"Test\\Notification\\NotificationTest::testSetSubject with data set #0":0,"Test\\Notification\\NotificationTest::testSetSubject with data set #1":0,"Test\\Notification\\NotificationTest::testSetSubject with data set #2":0,"Test\\Notification\\NotificationTest::testSetSubjectInvalidSubject with data set #0":0,"Test\\Notification\\NotificationTest::testSetSubjectInvalidSubject with data set #1":0,"Test\\Notification\\NotificationTest::testSetParsedSubject with data set #0":0,"Test\\Notification\\NotificationTest::testSetParsedSubject with data set #1":0,"Test\\Notification\\NotificationTest::testSetParsedSubject with data set #2":0,"Test\\Notification\\NotificationTest::testSetParsedSubjectInvalid with data set #0":0,"Test\\Notification\\NotificationTest::testSetMessage with data set #0":0,"Test\\Notification\\NotificationTest::testSetMessage with data set #1":0,"Test\\Notification\\NotificationTest::testSetMessage with data set #2":0,"Test\\Notification\\NotificationTest::testSetMessageInvalidMessage with data set #0":0,"Test\\Notification\\NotificationTest::testSetMessageInvalidMessage with data set #1":0,"Test\\Notification\\NotificationTest::testSetParsedMessage with data set #0":0,"Test\\Notification\\NotificationTest::testSetParsedMessage with data set #1":0,"Test\\Notification\\NotificationTest::testSetParsedMessage with data set #2":0,"Test\\Notification\\NotificationTest::testSetParsedMessageInvalid with data set #0":0,"Test\\Notification\\NotificationTest::testSetLink with data set #0":0,"Test\\Notification\\NotificationTest::testSetLink with data set #1":0,"Test\\Notification\\NotificationTest::testSetLink with data set #2":0,"Test\\Notification\\NotificationTest::testSetLink with data set #3":0,"Test\\Notification\\NotificationTest::testSetLinkInvalid with data set #0":0,"Test\\Notification\\NotificationTest::testSetLinkInvalid with data set #1":0,"Test\\Notification\\NotificationTest::testSetIcon with data set #0":0,"Test\\Notification\\NotificationTest::testSetIcon with data set #1":0,"Test\\Notification\\NotificationTest::testSetIcon with data set #2":0,"Test\\Notification\\NotificationTest::testSetIcon with data set #3":0,"Test\\Notification\\NotificationTest::testSetIconInvalid with data set #0":0,"Test\\Notification\\NotificationTest::testSetIconInvalid with data set #1":0,"Test\\Notification\\NotificationTest::testCreateAction":0,"Test\\Notification\\NotificationTest::testAddAction":0,"Test\\Notification\\NotificationTest::testAddActionInvalid":0,"Test\\Notification\\NotificationTest::testAddActionSecondPrimary":0,"Test\\Notification\\NotificationTest::testAddParsedAction":0,"Test\\Notification\\NotificationTest::testAddParsedActionInvalid":0,"Test\\Notification\\NotificationTest::testAddActionSecondParsedPrimary":0,"Test\\Notification\\NotificationTest::testAddActionParsedPrimaryEnd":0,"Test\\Notification\\NotificationTest::testIsValid with data set #0":0,"Test\\Notification\\NotificationTest::testIsValid with data set #1":0,"Test\\Notification\\NotificationTest::testIsValid with data set #2":0,"Test\\Notification\\NotificationTest::testIsValid with data set #3":0,"Test\\Notification\\NotificationTest::testIsParsedValid with data set #0":0,"Test\\Notification\\NotificationTest::testIsParsedValid with data set #1":0,"Test\\Notification\\NotificationTest::testIsParsedValid with data set #2":0,"Test\\Notification\\NotificationTest::testIsParsedValid with data set #3":0,"Test\\Notification\\NotificationTest::testIsValidCommon with data set #0":0,"Test\\Notification\\NotificationTest::testIsValidCommon with data set #1":0,"Test\\Notification\\NotificationTest::testIsValidCommon with data set #2":0,"Test\\Notification\\NotificationTest::testIsValidCommon with data set #3":0,"Test\\Notification\\NotificationTest::testIsValidCommon with data set #4":0,"Test\\Notification\\NotificationTest::testIsValidCommon with data set #5":0,"Test\\OCS\\DiscoveryServiceTest::testIsSafeUrl with data set #0":0.001,"Test\\OCS\\DiscoveryServiceTest::testIsSafeUrl with data set #1":0,"Test\\OCS\\DiscoveryServiceTest::testIsSafeUrl with data set #2":0,"Test\\OCS\\DiscoveryServiceTest::testIsSafeUrl with data set #3":0,"Test\\OCS\\DiscoveryServiceTest::testIsSafeUrl with data set #4":0,"Test\\OCS\\DiscoveryServiceTest::testIsSafeUrl with data set #5":0,"Test\\OCS\\DiscoveryServiceTest::testIsSafeUrl with data set #6":0,"Test\\OCS\\DiscoveryServiceTest::testGetEndpoints with data set #0":0,"Test\\OCS\\DiscoveryServiceTest::testGetEndpoints with data set #1":0,"Test\\OCS\\DiscoveryServiceTest::testGetEndpoints with data set #2":0,"Test\\OCS\\DiscoveryServiceTest::testGetEndpoints with data set #3":0,"Test\\OCS\\MapStatusCodeTest::testStatusCodeMapper with data set #0":0,"Test\\OCS\\MapStatusCodeTest::testStatusCodeMapper with data set #1":0,"Test\\OCS\\MapStatusCodeTest::testStatusCodeMapper with data set #2":0,"Test\\OCS\\MapStatusCodeTest::testStatusCodeMapper with data set #3":0,"Test\\OCS\\ProviderTest::testBuildProviderListWithoutAnythingEnabled":0.001,"Test\\OCS\\ProviderTest::testBuildProviderListWithSharingEnabled":0,"Test\\OCS\\ProviderTest::testBuildProviderListWithFederationEnabled":0,"Test\\OCS\\ProviderTest::testBuildProviderListWithEverythingEnabled":0,"Test\\Preview\\BackgroundCleanupJobTest::testCleanupSystemCron":0.688,"Test\\Preview\\BackgroundCleanupJobTest::testCleanupAjax":0.679,"Test\\Preview\\BackgroundCleanupJobTest::testOldPreviews":0.016,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #0":0,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #1":0,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #2":0,"Test\\Preview\\BitmapTest::testGetThumbnail with data set #3":0,"Test\\Preview\\GeneratorTest::testGetCachedPreview":0.031,"Test\\Preview\\GeneratorTest::testGetNewPreview":0.009,"Test\\Preview\\GeneratorTest::testInvalidMimeType":0.001,"Test\\Preview\\GeneratorTest::testReturnCachedPreviewsWithoutCheckingSupportedMimetype":0,"Test\\Preview\\GeneratorTest::testNoProvider":0,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #0":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #1":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #2":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #3":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #4":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #5":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #6":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #7":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #8":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #9":0,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #10":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #11":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #12":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #13":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #14":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #15":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #16":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #17":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #18":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #19":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #20":0.001,"Test\\Preview\\GeneratorTest::testCorrectSize with data set #21":0.001,"Test\\Preview\\GeneratorTest::testUnreadbleFile":0,"Test\\Preview\\HEICTest::testGetThumbnail with data set #0":0,"Test\\Preview\\HEICTest::testGetThumbnail with data set #1":0,"Test\\Preview\\HEICTest::testGetThumbnail with data set #2":0,"Test\\Preview\\HEICTest::testGetThumbnail with data set #3":0,"Test\\Preview\\ImageTest::testGetThumbnail with data set #0":0,"Test\\Preview\\ImageTest::testGetThumbnail with data set #1":0,"Test\\Preview\\ImageTest::testGetThumbnail with data set #2":0,"Test\\Preview\\ImageTest::testGetThumbnail with data set #3":0,"Test\\Preview\\MP3Test::testGetThumbnail with data set #0":0,"Test\\Preview\\MP3Test::testGetThumbnail with data set #1":0,"Test\\Preview\\MP3Test::testGetThumbnail with data set #2":0,"Test\\Preview\\MP3Test::testGetThumbnail with data set #3":0,"Test\\Preview\\MovieTest::testGetThumbnail with data set #0":0,"Test\\Preview\\MovieTest::testGetThumbnail with data set #1":0,"Test\\Preview\\MovieTest::testGetThumbnail with data set #2":0,"Test\\Preview\\MovieTest::testGetThumbnail with data set #3":0,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #0":0,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #1":0,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #2":0,"Test\\Preview\\OfficeTest::testGetThumbnail with data set #3":0,"Test\\Preview\\SVGTest::testGetThumbnail with data set #0":0,"Test\\Preview\\SVGTest::testGetThumbnail with data set #1":0,"Test\\Preview\\SVGTest::testGetThumbnail with data set #2":0,"Test\\Preview\\SVGTest::testGetThumbnail with data set #3":0,"Test\\Preview\\TXTTest::testGetThumbnail with data set #0":0,"Test\\Preview\\TXTTest::testGetThumbnail with data set #1":0,"Test\\Preview\\TXTTest::testGetThumbnail with data set #2":0,"Test\\Preview\\TXTTest::testGetThumbnail with data set #3":0,"Test\\PublicNamespace\\UtilTest::testOverrideChannel with data set #0":0,"Test\\PublicNamespace\\UtilTest::testOverrideChannel with data set #1":0,"Test\\PublicNamespace\\UtilTest::testOverrideChannel with data set #2":0,"Test\\PublicNamespace\\UtilTest::testOverrideChannel with data set #3":0,"Test\\Remote\\Api\\OCSTest::testGetUser":0.002,"Test\\Remote\\Api\\OCSTest::testGetUserInvalidResponse":0,"Test\\Remote\\Api\\OCSTest::testInvalidPassword":0,"Test\\Remote\\InstanceTest::testBasicStatus":0,"Test\\Remote\\InstanceTest::testHttpFallback":0,"Test\\Remote\\InstanceTest::testRerequestHttps":0,"Test\\Remote\\InstanceTest::testPreventDowngradeAttach":0,"Test\\Repair\\CleanTagsTest::testRun":0.008,"Test\\Repair\\ClearFrontendCachesTest::testRun":0.001,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #0":0.001,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #1":0,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #2":0,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #3":0,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #4":0,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #5":0,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #6":0,"Test\\Repair\\ClearGeneratedAvatarCacheTest::testShouldRun with data set #7":0,"Test\\Repair\\NC11\\FixMountStoragesTest::testGetName":0,"Test\\Repair\\NC11\\FixMountStoragesTest::testRun":0.001,"Test\\Repair\\OldGroupMembershipSharesTest::testRun":0.002,"Test\\Repair\\RepairCollationTest::testCollationConvert":0,"Test\\Repair\\RepairDavSharesTest::testRun":0.002,"Test\\Repair\\RepairInvalidSharesTest::testSharesNonExistingParent":0.001,"Test\\Repair\\RepairInvalidSharesTest::testFileSharePermissions with data set #0":0,"Test\\Repair\\RepairInvalidSharesTest::testFileSharePermissions with data set #1":0,"Test\\Repair\\RepairInvalidSharesTest::testFileSharePermissions with data set #2":0,"Test\\Repair\\RepairMimeTypesTest::testRenameImageTypes":0.005,"Test\\Repair\\RepairMimeTypesTest::testRenameWindowsProgramTypes":0.005,"Test\\Repair\\RepairMimeTypesTest::testDoNothingWhenOnlyNewFiles":0.022,"Test\\Repair\\RepairMimeTypesTest::testDoNotChangeFolderMimeType":0.004,"Test\\Repair\\RepairSqliteAutoincrementTest::testConvertIdColumn":0.045,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinitionNotExisting":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #0":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #1":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #2":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #3":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #4":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #5":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #6":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #7":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #8":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #9":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #10":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #11":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #12":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #13":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #14":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #15":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #16":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #17":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #18":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #19":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #20":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #21":0,"Test\\RichObjectStrings\\ValidatorTest::test":0,"Test\\Route\\RouterTest::testGenerateConsecutively":0.003,"Test\\Security\\Bruteforce\\CapabilitiesTest::testGetCapabilities":0,"Test\\Security\\Bruteforce\\CapabilitiesTest::testGetCapabilitiesOnCli":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testCutoff":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #0":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #1":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #2":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #3":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #4":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #5":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #6":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #7":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #8":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #9":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithEnabledProtection with data set #10":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #0":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #1":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #2":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #3":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #4":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #5":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #6":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #7":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #8":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #9":0,"Test\\Security\\Bruteforce\\ThrottlerTest::testIsIpWhiteListedWithDisabledProtection with data set #10":0,"Test\\Security\\CSP\\AddContentSecurityPolicyEventTest::testAddEvent":0.001,"Test\\Security\\CSP\\ContentSecurityPolicyManagerTest::testAddDefaultPolicy":0,"Test\\Security\\CSP\\ContentSecurityPolicyManagerTest::testGetDefaultPolicyWithPolicies":0,"Test\\Security\\CSP\\ContentSecurityPolicyManagerTest::testGetDefaultPolicyWithPoliciesViaEvent":0,"Test\\Security\\CSP\\ContentSecurityPolicyNonceManagerTest::testGetNonce":0,"Test\\Security\\CSP\\ContentSecurityPolicyNonceManagerTest::testGetNonceServerVar":0,"Test\\Security\\CSRF\\CsrfTokenGeneratorTest::testGenerateTokenWithCustomNumber":0,"Test\\Security\\CSRF\\CsrfTokenGeneratorTest::testGenerateTokenWithDefault":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testGetTokenWithExistingToken":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testGetTokenWithExistingTokenKeepsOnSecondRequest":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testGetTokenWithoutExistingToken":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testRefreshToken":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testRemoveToken":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testIsTokenValidWithoutToken":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testIsTokenValidWithWrongToken":0,"Test\\Security\\CSRF\\CsrfTokenManagerTest::testIsTokenValidWithValidToken":0,"Test\\Security\\CSRF\\CsrfTokenTest::testGetEncryptedValue":0,"Test\\Security\\CSRF\\CsrfTokenTest::testGetEncryptedValueStaysSameOnSecondRequest":0,"Test\\Security\\CSRF\\CsrfTokenTest::testGetDecryptedValue":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testGetTokenWithEmptyToken with data set #0":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testGetTokenWithEmptyToken with data set #1":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testGetTokenWithValidToken":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testSetToken":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testRemoveToken":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testHasTokenWithExistingToken":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testHasTokenWithoutExistingToken":0,"Test\\Security\\CSRF\\TokenStorage\\SessionStorageTest::testSetSession":0,"Test\\Security\\CertificateManagerTest::testListCertificates":0.081,"Test\\Security\\CertificateManagerTest::testAddInvalidCertificate":0.008,"Test\\Security\\CertificateManagerTest::testAddDangerousFile with data set #0":0.007,"Test\\Security\\CertificateManagerTest::testAddDangerousFile with data set #1":0.007,"Test\\Security\\CertificateManagerTest::testAddDangerousFile with data set #2":0.007,"Test\\Security\\CertificateManagerTest::testRemoveDangerousFile":0.007,"Test\\Security\\CertificateManagerTest::testRemoveExistingFile":0.015,"Test\\Security\\CertificateManagerTest::testGetCertificateBundle":0.008,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #0":0.009,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #1":0.007,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #2":0.007,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #3":0.007,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #4":0.007,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #5":0.007,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #6":0.008,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #7":0.007,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #8":0.007,"Test\\Security\\CertificateManagerTest::testNeedRebundling with data set #9":0.007,"Test\\Security\\CertificateTest::testBogusData":0,"Test\\Security\\CertificateTest::testCertificateStartingWithFileReference":0,"Test\\Security\\CertificateTest::testGetName":0,"Test\\Security\\CertificateTest::testGetCommonName":0,"Test\\Security\\CertificateTest::testGetOrganization":0,"Test\\Security\\CertificateTest::testGetIssueDate":0,"Test\\Security\\CertificateTest::testGetExpireDate":0,"Test\\Security\\CertificateTest::testIsExpired":0,"Test\\Security\\CertificateTest::testGetIssuerName":0,"Test\\Security\\CertificateTest::testGetIssuerOrganization":0,"Test\\Security\\CredentialsManagerTest::testWithDB with data set #0":0.005,"Test\\Security\\CredentialsManagerTest::testWithDB with data set #1":0.002,"Test\\Security\\CryptoTest::testDefaultEncrypt with data set #0":0.001,"Test\\Security\\CryptoTest::testDefaultEncrypt with data set #1":0.001,"Test\\Security\\CryptoTest::testDefaultEncrypt with data set #2":0.001,"Test\\Security\\CryptoTest::testWrongPassword":0.001,"Test\\Security\\CryptoTest::testLaterDecryption":0.001,"Test\\Security\\CryptoTest::testWrongIV":0.001,"Test\\Security\\CryptoTest::testWrongParameters":0,"Test\\Security\\CryptoTest::testLegacy":0.001,"Test\\Security\\CryptoTest::testVersion2CiphertextDecryptsToCorrectPlaintext":0.001,"Test\\Security\\CryptoTest::testVersion3CiphertextDecryptsToCorrectPlaintext":0.001,"Test\\Security\\CSP\\AddFeaturePolicyEventTest::testAddEvent":0.001,"Test\\Security\\CSP\\FeaturePolicyManagerTest::testAddDefaultPolicy":0,"Test\\Security\\CSP\\FeaturePolicyManagerTest::testGetDefaultPolicyWithPoliciesViaEvent":0,"Test\\Security\\HasherTest::testHash":0.124,"Test\\Security\\HasherTest::testSplitHash with data set #0":0,"Test\\Security\\HasherTest::testSplitHash with data set #1":0,"Test\\Security\\HasherTest::testSplitHash with data set #2":0,"Test\\Security\\HasherTest::testSplitHash with data set #3":0,"Test\\Security\\HasherTest::testSplitHash with data set #4":0,"Test\\Security\\HasherTest::testVerify with data set #0":0.124,"Test\\Security\\HasherTest::testVerify with data set #1":0.123,"Test\\Security\\HasherTest::testVerify with data set #2":0,"Test\\Security\\HasherTest::testVerify with data set #3":0,"Test\\Security\\HasherTest::testVerify with data set #4":0.136,"Test\\Security\\HasherTest::testVerify with data set #5":0.134,"Test\\Security\\HasherTest::testVerify with data set #6":0.135,"Test\\Security\\HasherTest::testVerify with data set #7":0.133,"Test\\Security\\HasherTest::testVerify with data set #8":0.214,"Test\\Security\\HasherTest::testVerify with data set #9":0.148,"Test\\Security\\HasherTest::testVerify with data set #10":0.011,"Test\\Security\\HasherTest::testVerify with data set #11":0.154,"Test\\Security\\HasherTest::testVerify with data set #12":0.158,"Test\\Security\\HasherTest::testVerify with data set #13":0.213,"Test\\Security\\HasherTest::testVerify with data set #14":0.168,"Test\\Security\\HasherTest::testVerify with data set #15":0.169,"Test\\Security\\HasherTest::testVerify with data set #16":0.125,"Test\\Security\\HasherTest::testVerify with data set #17":0,"Test\\Security\\HasherTest::testVerify with data set #18":0.011,"Test\\Security\\HasherTest::testVerify with data set #19":0.011,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #0":0.127,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #1":0.134,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #2":0.166,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #3":0.141,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #4":0.133,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #5":0.135,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #6":0.001,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #7":0.001,"Test\\Security\\HasherTest::testVerifyArgon2i with data set #8":0.001,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #0":0.135,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #1":0.125,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #2":0.127,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #3":0.125,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #4":0.127,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #5":0.125,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #6":0.126,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #7":0.128,"Test\\Security\\HasherTest::testVerifyArgon2id with data set #8":0.125,"Test\\Security\\HasherTest::testUpgradeHashBlowFishToArgon2":0.607,"Test\\Security\\HasherTest::testUsePasswordDefaultArgon2iVerify":0.345,"Test\\Security\\HasherTest::testDoNotUsePasswordDefaultArgon2idVerify":0.253,"Test\\Security\\HasherTest::testHashUsePasswordDefault":0.044,"Test\\Security\\IdentityProof\\KeyTest::testGetPrivate":0,"Test\\Security\\IdentityProof\\KeyTest::testGetPublic":0,"Test\\Security\\IdentityProof\\ManagerTest::testGetKeyWithExistingKey":0,"Test\\Security\\IdentityProof\\ManagerTest::testGetKeyWithNotExistingKey":0,"Test\\Security\\IdentityProof\\ManagerTest::testGenerateKeyPair":0.039,"Test\\Security\\IdentityProof\\ManagerTest::testGetSystemKey":0,"Test\\Security\\IdentityProof\\ManagerTest::testGetSystemKeyFailure":0,"Test\\Security\\IdentityProof\\SignerTest::testSign":0.002,"Test\\Security\\IdentityProof\\SignerTest::testVerifyValid":0,"Test\\Security\\IdentityProof\\SignerTest::testVerifyInvalid":0,"Test\\Security\\IdentityProof\\SignerTest::testVerifyInvalidData":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #0":0.005,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #1":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #2":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #3":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #4":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #5":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #6":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #7":0,"Test\\Security\\Normalizer\\IpAddressTest::testGetSubnet with data set #8":0,"Test\\Security\\Normalizer\\IpAddressTest::testToString":0,"Test\\Security\\RateLimiting\\Backend\\MemoryCacheBackendTest::testGetAttemptsWithNoAttemptsBefore":0,"Test\\Security\\RateLimiting\\Backend\\MemoryCacheBackendTest::testGetAttempts":0,"Test\\Security\\RateLimiting\\Backend\\MemoryCacheBackendTest::testRegisterAttemptWithNoAttemptsBefore":0,"Test\\Security\\RateLimiting\\Backend\\MemoryCacheBackendTest::testRegisterAttempt":0,"Test\\Security\\RateLimiting\\LimiterTest::testRegisterAnonRequestExceeded":0,"Test\\Security\\RateLimiting\\LimiterTest::testRegisterAnonRequestSuccess":0,"Test\\Security\\RateLimiting\\LimiterTest::testRegisterUserRequestExceeded":0,"Test\\Security\\RateLimiting\\LimiterTest::testRegisterUserRequestSuccess":0,"Test\\Security\\SecureRandomTest::testGetLowStrengthGeneratorLength with data set #0":0,"Test\\Security\\SecureRandomTest::testGetLowStrengthGeneratorLength with data set #1":0,"Test\\Security\\SecureRandomTest::testGetLowStrengthGeneratorLength with data set #2":0.001,"Test\\Security\\SecureRandomTest::testGetLowStrengthGeneratorLength with data set #3":0.002,"Test\\Security\\SecureRandomTest::testGetLowStrengthGeneratorLength with data set #4":0.004,"Test\\Security\\SecureRandomTest::testGetLowStrengthGeneratorLength with data set #5":0.114,"Test\\Security\\SecureRandomTest::testGetLowStrengthGeneratorLength with data set #6":0.112,"Test\\Security\\SecureRandomTest::testMediumLowStrengthGeneratorLength with data set #0":0,"Test\\Security\\SecureRandomTest::testMediumLowStrengthGeneratorLength with data set #1":0,"Test\\Security\\SecureRandomTest::testMediumLowStrengthGeneratorLength with data set #2":0.001,"Test\\Security\\SecureRandomTest::testMediumLowStrengthGeneratorLength with data set #3":0.002,"Test\\Security\\SecureRandomTest::testMediumLowStrengthGeneratorLength with data set #4":0.004,"Test\\Security\\SecureRandomTest::testMediumLowStrengthGeneratorLength with data set #5":0.116,"Test\\Security\\SecureRandomTest::testMediumLowStrengthGeneratorLength with data set #6":0.111,"Test\\Security\\SecureRandomTest::testUninitializedGenerate with data set #0":0,"Test\\Security\\SecureRandomTest::testUninitializedGenerate with data set #1":0,"Test\\Security\\SecureRandomTest::testUninitializedGenerate with data set #2":0.001,"Test\\Security\\SecureRandomTest::testUninitializedGenerate with data set #3":0.002,"Test\\Security\\SecureRandomTest::testUninitializedGenerate with data set #4":0.004,"Test\\Security\\SecureRandomTest::testUninitializedGenerate with data set #5":0.114,"Test\\Security\\SecureRandomTest::testUninitializedGenerate with data set #6":0.111,"Test\\Security\\SecureRandomTest::testScheme with data set #0":0,"Test\\Security\\SecureRandomTest::testScheme with data set #1":0,"Test\\Security\\SecureRandomTest::testScheme with data set #2":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #0":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #1":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #2":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #3":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #4":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #5":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #6":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #7":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #8":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #9":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #10":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #11":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #12":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #13":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #14":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #15":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #16":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #17":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #18":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #19":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #20":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #21":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #22":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #23":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #24":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #25":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #26":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #27":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #28":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #29":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #30":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #31":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #32":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #33":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #34":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #35":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #36":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #37":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #38":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #39":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #40":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedUrl with data set #41":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #0":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #1":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #2":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #3":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #4":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #5":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #6":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #7":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #8":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #9":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #10":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #11":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #12":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #13":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #14":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #15":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #16":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #17":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #18":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #19":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #20":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #21":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #22":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #23":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #24":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #25":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #26":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #27":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #28":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #29":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #30":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #31":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #32":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #33":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #34":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #35":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #36":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #37":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #38":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #39":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #40":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomain with data set #41":0,"Test\\Security\\TrustedDomainHelperTest::testIsTrustedDomainOverwriteHost":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenUserUnknown":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenUserUnknown2":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenNotFound":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenDecryptionError":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenInvalidFormat":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenExpired":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenExpiredByLogin":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenMismatch":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testTokenSuccess":0,"Test\\Security\\VerificationToken\\VerificationTokenTest::testCreate":0,"Test\\ServerTest::testQuery with data set #0":0.001,"Test\\ServerTest::testQuery with data set #1":0.001,"Test\\ServerTest::testQuery with data set #2":0,"Test\\ServerTest::testQuery with data set #3":0,"Test\\ServerTest::testQuery with data set #4":0,"Test\\ServerTest::testQuery with data set #5":0,"Test\\ServerTest::testQuery with data set #6":0.001,"Test\\ServerTest::testQuery with data set #7":0.001,"Test\\ServerTest::testQuery with data set #8":0.001,"Test\\ServerTest::testQuery with data set #9":0,"Test\\ServerTest::testQuery with data set #10":0,"Test\\ServerTest::testQuery with data set #11":0.002,"Test\\ServerTest::testQuery with data set #12":0.002,"Test\\ServerTest::testQuery with data set #13":0.03,"Test\\ServerTest::testQuery with data set #14":0.001,"Test\\ServerTest::testQuery with data set #15":0,"Test\\ServerTest::testQuery with data set #16":0,"Test\\ServerTest::testQuery with data set #17":0,"Test\\ServerTest::testQuery with data set #18":0.001,"Test\\ServerTest::testQuery with data set #19":0,"Test\\ServerTest::testQuery with data set #20":0,"Test\\ServerTest::testQuery with data set #21":0.001,"Test\\ServerTest::testQuery with data set #22":0.001,"Test\\ServerTest::testQuery with data set #23":0.001,"Test\\ServerTest::testQuery with data set #24":0.001,"Test\\ServerTest::testQuery with data set #25":0.001,"Test\\ServerTest::testQuery with data set #26":0.001,"Test\\ServerTest::testQuery with data set #27":0.001,"Test\\ServerTest::testQuery with data set #28":0.001,"Test\\ServerTest::testQuery with data set #29":0.002,"Test\\ServerTest::testQuery with data set #30":0.002,"Test\\ServerTest::testQuery with data set #31":0.001,"Test\\ServerTest::testQuery with data set #32":0.001,"Test\\ServerTest::testQuery with data set #33":0.001,"Test\\ServerTest::testQuery with data set #34":0.001,"Test\\ServerTest::testQuery with data set #35":0,"Test\\ServerTest::testQuery with data set #36":0,"Test\\ServerTest::testQuery with data set #37":0,"Test\\ServerTest::testQuery with data set #38":0,"Test\\ServerTest::testQuery with data set #39":0,"Test\\ServerTest::testQuery with data set #40":0,"Test\\ServerTest::testQuery with data set #41":0,"Test\\ServerTest::testQuery with data set #42":0,"Test\\ServerTest::testQuery with data set #43":0.001,"Test\\ServerTest::testQuery with data set #44":0.001,"Test\\ServerTest::testQuery with data set #45":0.001,"Test\\ServerTest::testQuery with data set #46":0,"Test\\ServerTest::testQuery with data set #47":0.001,"Test\\ServerTest::testQuery with data set #48":0.001,"Test\\ServerTest::testQuery with data set #49":0,"Test\\ServerTest::testQuery with data set #50":0,"Test\\ServerTest::testQuery with data set #51":0,"Test\\ServerTest::testQuery with data set #52":0.002,"Test\\ServerTest::testQuery with data set #53":0.036,"Test\\ServerTest::testQuery with data set #54":0.001,"Test\\ServerTest::testQuery with data set #55":0,"Test\\ServerTest::testQuery with data set #56":0,"Test\\ServerTest::testQuery with data set #57":0,"Test\\ServerTest::testQuery with data set #58":0.001,"Test\\ServerTest::testQuery with data set #59":0.001,"Test\\ServerTest::testQuery with data set #60":0.001,"Test\\ServerTest::testQuery with data set #61":0.001,"Test\\ServerTest::testQuery with data set #62":0.001,"Test\\ServerTest::testQuery with data set #63":0,"Test\\ServerTest::testQuery with data set #64":0.001,"Test\\ServerTest::testQuery with data set #65":0.001,"Test\\ServerTest::testQuery with data set #66":0,"Test\\ServerTest::testQuery with data set #67":0.001,"Test\\ServerTest::testQuery with data set #68":0.001,"Test\\ServerTest::testQuery with data set #69":0,"Test\\ServerTest::testQuery with data set #70":0,"Test\\ServerTest::testQuery with data set #71":0,"Test\\ServerTest::testQuery with data set #72":0.001,"Test\\ServerTest::testQuery with data set #73":0,"Test\\ServerTest::testQuery with data set #74":0,"Test\\ServerTest::testQuery with data set #75":0,"Test\\ServerTest::testQuery with data set #76":0,"Test\\ServerTest::testQuery with data set #77":0,"Test\\ServerTest::testQuery with data set #78":0.002,"Test\\ServerTest::testQuery with data set #79":0.002,"Test\\ServerTest::testQuery with data set #80":0,"Test\\ServerTest::testQuery with data set #81":0.001,"Test\\ServerTest::testQuery with data set #82":0.001,"Test\\ServerTest::testQuery with data set #83":0,"Test\\ServerTest::testQuery with data set #84":0,"Test\\ServerTest::testQuery with data set #85":0.001,"Test\\ServerTest::testQuery with data set #86":0.001,"Test\\ServerTest::testQuery with data set #87":0,"Test\\ServerTest::testQuery with data set #88":0,"Test\\ServerTest::testQuery with data set #89":0.001,"Test\\ServerTest::testQuery with data set #90":0.001,"Test\\ServerTest::testQuery with data set #91":0,"Test\\ServerTest::testQuery with data set #92":0,"Test\\ServerTest::testQuery with data set #93":0.002,"Test\\ServerTest::testQuery with data set #94":0.001,"Test\\ServerTest::testQuery with data set #95":0.007,"Test\\ServerTest::testQuery with data set #96":0.002,"Test\\ServerTest::testGetCertificateManager":0,"Test\\ServerTest::testCreateEventSource":0.001,"Test\\ServerTest::testOverwriteDefaultCommentsManager":0.001,"Test\\Session\\CryptoSessionDataTest::testNotExistsEmpty":0,"Test\\Session\\CryptoSessionDataTest::testExistsAfterSet":0,"Test\\Session\\CryptoSessionDataTest::testNotExistsAfterRemove":0,"Test\\Session\\CryptoSessionDataTest::testGetNonExisting":0,"Test\\Session\\CryptoSessionDataTest::testGetAfterSet":0,"Test\\Session\\CryptoSessionDataTest::testRemoveNonExisting":0,"Test\\Session\\CryptoSessionDataTest::testNotExistsAfterClear":0,"Test\\Session\\CryptoSessionDataTest::testArrayInterface":0,"Test\\Session\\CryptoWrappingTest::testUnwrappingGet":0,"Test\\Session\\MemoryTest::testThrowsExceptionOnGetId":0,"Test\\Session\\MemoryTest::testNotExistsEmpty":0,"Test\\Session\\MemoryTest::testExistsAfterSet":0,"Test\\Session\\MemoryTest::testNotExistsAfterRemove":0,"Test\\Session\\MemoryTest::testGetNonExisting":0,"Test\\Session\\MemoryTest::testGetAfterSet":0,"Test\\Session\\MemoryTest::testRemoveNonExisting":0,"Test\\Session\\MemoryTest::testNotExistsAfterClear":0,"Test\\Session\\MemoryTest::testArrayInterface":0,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetAdminSections":0.001,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetPersonalSections":0,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetAdminSectionsEmptySection":0,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetPersonalSectionsEmptySection":0,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetAdminSettings":0.001,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetAdminSettingsAsSubAdmin":0,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetSubAdminSettingsAsSubAdmin":0,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testGetPersonalSettings":0,"OCA\\Settings\\Tests\\AppInfo\\ManagerTest::testSameSectionAsPersonalAndAdmin":0,"OCA\\Settings\\Tests\\AppInfo\\SectionTest::testGetID":0,"OCA\\Settings\\Tests\\AppInfo\\SectionTest::testGetName":0,"OCA\\Settings\\Tests\\AppInfo\\SectionTest::testGetPriority":0,"Test\\SetupTest::testGetSupportedDatabasesWithOneWorking":0,"Test\\SetupTest::testGetSupportedDatabasesWithNoWorking":0,"Test\\SetupTest::testGetSupportedDatabasesWithAllWorking":0,"Test\\SetupTest::testGetSupportedDatabaseException":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/www.example.com\/nextcloud\/\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/www.example.com\/nextcloud\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/www.example.com\/\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/www.example.com\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/nctest13pgsql.lan\/test123\/\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/nctest13pgsql.lan\/test123\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/nctest13pgsql.lan\/\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/nctest13pgsql.lan\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/192.168.10.10\/nc\/\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/192.168.10.10\/nc\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/192.168.10.10\/\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"https:\/\/192.168.10.10\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"invalid\"":0,"Test\\SetupTest::testFindWebRootCli with data set \"empty\"":0,"Test\\SubAdminTest::testCreateSubAdmin":0.015,"Test\\SubAdminTest::testDeleteSubAdmin":0.01,"Test\\SubAdminTest::testGetSubAdminsGroups":0.008,"Test\\SubAdminTest::testGetGroupsSubAdmins":0.008,"Test\\SubAdminTest::testGetAllSubAdmin":0.009,"Test\\SubAdminTest::testIsSubAdminofGroup":0.009,"Test\\SubAdminTest::testIsSubAdmin":0.01,"Test\\SubAdminTest::testIsSubAdminAsAdmin":0.011,"Test\\SubAdminTest::testIsUserAccessible":0.014,"Test\\SubAdminTest::testIsUserAccessibleAsUser":0.01,"Test\\SubAdminTest::testIsUserAccessibleAdmin":0.011,"Test\\SubAdminTest::testPostDeleteUser":0.01,"Test\\SubAdminTest::testPostDeleteGroup":0.011,"Test\\SubAdminTest::testHooks":0.01,"Test\\Support\\CrashReport\\RegistryTest::testDelegateToNone":0,"Test\\Support\\CrashReport\\RegistryTest::testRegisterLazyCantLoad":0.001,"Test\\Support\\CrashReport\\RegistryTest::testRegisterLazy":0,"Test\\Support\\CrashReport\\RegistryTest::testDelegateBreadcrumbCollection":0,"Test\\Support\\CrashReport\\RegistryTest::testDelegateToAll":0,"Test\\Support\\CrashReport\\RegistryTest::testDelegateMessage":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateToNone":0,"Test\\Support\\Subscription\\RegistryTest::testDoubleRegistration":0,"Test\\Support\\Subscription\\RegistryTest::testNoSupportApp":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateHasValidSubscription":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateHasValidSubscriptionConfig":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateHasExtendedSupport":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateGetSupportedApps":0,"Test\\Support\\Subscription\\RegistryTest::testSubscriptionService":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateIsHardUserLimitReached":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateIsHardUserLimitReachedWithoutSupportApp":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateIsHardUserLimitReachedWithoutSupportAppAndUserCount with data set #0":0.001,"Test\\Support\\Subscription\\RegistryTest::testDelegateIsHardUserLimitReachedWithoutSupportAppAndUserCount with data set #1":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateIsHardUserLimitReachedWithoutSupportAppAndUserCount with data set #2":0,"Test\\Support\\Subscription\\RegistryTest::testDelegateIsHardUserLimitReachedWithoutSupportAppAndUserCount with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTags with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTags with data set #1":0.001,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTags with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTagsFiltered with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTagsFiltered with data set #1":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTagsFiltered with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTagsFiltered with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTagsFiltered with data set #4":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTagsFiltered with data set #5":0,"Test\\SystemTag\\SystemTagManagerTest::testGetAllTagsFiltered with data set #6":0,"Test\\SystemTag\\SystemTagManagerTest::testCreateDuplicate with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testCreateDuplicate with data set #1":0,"Test\\SystemTag\\SystemTagManagerTest::testCreateDuplicate with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testCreateDuplicate with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testGetExistingTag with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testGetExistingTag with data set #1":0,"Test\\SystemTag\\SystemTagManagerTest::testGetExistingTag with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testGetExistingTag with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testGetExistingTagById":0,"Test\\SystemTag\\SystemTagManagerTest::testGetNonExistingTag":0,"Test\\SystemTag\\SystemTagManagerTest::testGetNonExistingTagsById":0,"Test\\SystemTag\\SystemTagManagerTest::testGetInvalidTagIdFormat":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTag with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTag with data set #1":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTag with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTag with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTagDuplicate with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTagDuplicate with data set #1":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTagDuplicate with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testUpdateTagDuplicate with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testDeleteTags":0,"Test\\SystemTag\\SystemTagManagerTest::testDeleteNonExistingTag":0,"Test\\SystemTag\\SystemTagManagerTest::testDeleteTagRemovesRelations":0.001,"Test\\SystemTag\\SystemTagManagerTest::testVisibilityCheck with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testVisibilityCheck with data set #1":0,"Test\\SystemTag\\SystemTagManagerTest::testVisibilityCheck with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testVisibilityCheck with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #0":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #1":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #2":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #3":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #4":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #5":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #6":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #7":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #8":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #9":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #10":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #11":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #12":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #13":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #14":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #15":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #16":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #17":0,"Test\\SystemTag\\SystemTagManagerTest::testAssignabilityCheck with data set #18":0,"Test\\SystemTag\\SystemTagManagerTest::testTagGroups":0.001,"Test\\SystemTag\\SystemTagManagerTest::testEmptyTagGroup":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testGetTagIdsForObjects":0.001,"Test\\SystemTag\\SystemTagObjectMapperTest::testGetTagIdsForNoObjects":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testGetObjectsForTags":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testGetObjectsForTagsLimit":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testGetObjectsForTagsLimitWithMultipleTags":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testGetObjectsForTagsLimitOffset":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testGetObjectsForNonExistingTag":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testAssignUnassignTags":0.001,"Test\\SystemTag\\SystemTagObjectMapperTest::testReAssignUnassignTags":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testAssignNonExistingTags":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testAssignNonExistingTagInArray":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testUnassignNonExistingTags":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testUnassignNonExistingTagsInArray":0,"Test\\SystemTag\\SystemTagObjectMapperTest::testHaveTagAllMatches":0.001,"Test\\SystemTag\\SystemTagObjectMapperTest::testHaveTagAtLeastOneMatch":0.001,"Test\\SystemTag\\SystemTagObjectMapperTest::testHaveTagNonExisting":0,"Test\\TagsTest::testTagManagerWithoutUserReturnsNull":0,"Test\\TagsTest::testInstantiateWithDefaults":0.001,"Test\\TagsTest::testAddTags":0.001,"Test\\TagsTest::testAddMultiple":0.001,"Test\\TagsTest::testIsEmpty":0,"Test\\TagsTest::testGetTagsForObjects":0.001,"Test\\TagsTest::testGetTagsForObjectsMassiveResults":0.021,"Test\\TagsTest::testDeleteTags":0.001,"Test\\TagsTest::testRenameTag":0.001,"Test\\TagsTest::testTagAs":0.001,"Test\\TagsTest::testUnTag":0.002,"Test\\TagsTest::testFavorite":0.001,"Test\\Talk\\BrokerTest::testHasNoBackendCalledTooEarly":0,"Test\\Talk\\BrokerTest::testHasNoBackend":0,"Test\\Talk\\BrokerTest::testHasFaultyBackend":0,"Test\\Talk\\BrokerTest::testHasBackend":0,"Test\\Talk\\BrokerTest::testNewConversationOptions":0,"Test\\Talk\\BrokerTest::testCreateConversation":0,"Test\\Talk\\ConversationOptionsTest::testDefaults":0,"Test\\TempManagerTest::testGetFile":0,"Test\\TempManagerTest::testGetFolder":0,"Test\\TempManagerTest::testCleanFiles":0,"Test\\TempManagerTest::testCleanFolder":0,"Test\\TempManagerTest::testCleanOld":0.001,"Test\\TempManagerTest::testLogCantCreateFile":0.001,"Test\\TempManagerTest::testLogCantCreateFolder":0,"Test\\TempManagerTest::testBuildFileNameWithPostfix":0,"Test\\TempManagerTest::testBuildFileNameWithoutPostfix":0,"Test\\TempManagerTest::testBuildFileNameWithSuffixPathTraversal":0,"Test\\TempManagerTest::testGetTempBaseDirFromConfig":0,"Test\\Template\\CSSResourceLocatorTest::testFindWithAppPathSymlink":0.001,"Test\\Template\\IconsCacherTest::testGetIconsFromEmptyCss":0,"Test\\Template\\IconsCacherTest::testGetIconsFromValidCss":0,"Test\\Template\\IconsCacherTest::testSetIconsFromEmptyCss":0,"Test\\Template\\IconsCacherTest::testSetIconsFromValidCss":0,"Test\\Template\\IconsCacherTest::testSetIconsFromValidCssMultipleTimes":0,"Test\\Template\\JSCombinerTest::testProcessDebugMode":0,"Test\\Template\\JSCombinerTest::testProcessNotInstalled":0,"Test\\Template\\JSCombinerTest::testProcessUncachedFileNoAppDataFolder":0,"Test\\Template\\JSCombinerTest::testProcessUncachedFile":0,"Test\\Template\\JSCombinerTest::testProcessCachedFile":0,"Test\\Template\\JSCombinerTest::testProcessCachedFileMemcache":0,"Test\\Template\\JSCombinerTest::testIsCachedNoDepsFile":0,"Test\\Template\\JSCombinerTest::testIsCachedWithNotExistingFile":0,"Test\\Template\\JSCombinerTest::testIsCachedWithOlderMtime":0,"Test\\Template\\JSCombinerTest::testIsCachedWithoutContent":0,"Test\\Template\\JSCombinerTest::testCacheNoFile":0,"Test\\Template\\JSCombinerTest::testCache":0,"Test\\Template\\JSCombinerTest::testCacheNotPermittedException":0,"Test\\Template\\JSCombinerTest::testCacheSuccess":0,"Test\\Template\\JSCombinerTest::testGetCachedSCSS with data set #0":0,"Test\\Template\\JSCombinerTest::testGetCachedSCSS with data set #1":0,"Test\\Template\\JSCombinerTest::testGetContent":0,"Test\\Template\\JSCombinerTest::testGetContentInvalidJson":0,"Test\\Template\\JSCombinerTest::testResetCache":0,"Test\\Template\\JSResourceLocatorTest::testFindWithAppPathSymlink":0,"Test\\Template\\ResourceLocatorTest::testFind":0,"Test\\Template\\ResourceLocatorTest::testFindNotFound":0,"Test\\Template\\ResourceLocatorTest::testAppendIfExist":0,"Test\\Template\\SCSSCacherTest::testProcessUncachedFileNoAppDataFolder":0.058,"Test\\Template\\SCSSCacherTest::testProcessUncachedFile":0.021,"Test\\Template\\SCSSCacherTest::testProcessCachedFile":0.021,"Test\\Template\\SCSSCacherTest::testProcessCachedFileMemcache":0.021,"Test\\Template\\SCSSCacherTest::testIsCachedNoFile":0,"Test\\Template\\SCSSCacherTest::testIsCachedNoDepsFile":0,"Test\\Template\\SCSSCacherTest::testCacheNoFile":0.02,"Test\\Template\\SCSSCacherTest::testCache":0.021,"Test\\Template\\SCSSCacherTest::testCacheSuccess":0.004,"Test\\Template\\SCSSCacherTest::testCacheFailure":0.003,"Test\\Template\\SCSSCacherTest::testRebaseUrls with data set #0":0,"Test\\Template\\SCSSCacherTest::testRebaseUrls with data set #1":0,"Test\\Template\\SCSSCacherTest::testRebaseUrls with data set #2":0,"Test\\Template\\SCSSCacherTest::testRebaseUrls with data set #3":0,"Test\\Template\\SCSSCacherTest::testGetCachedSCSS with data set #0":0,"Test\\Template\\SCSSCacherTest::testGetCachedSCSS with data set #1":0,"Test\\Template\\SCSSCacherTest::testgetWebDir with data set #0":0,"Test\\Template\\SCSSCacherTest::testgetWebDir with data set #1":0,"Test\\Template\\SCSSCacherTest::testgetWebDir with data set #2":0,"Test\\Template\\SCSSCacherTest::testgetWebDir with data set #3":0,"Test\\Template\\SCSSCacherTest::testgetWebDir with data set #4":0,"Test\\Template\\SCSSCacherTest::testgetWebDir with data set #5":0,"Test\\Template\\SCSSCacherTest::testResetCache":0,"Test\\TemplateFunctionsTest::testPJavaScript":0,"Test\\TemplateFunctionsTest::testPJavaScriptWithScriptTags":0,"Test\\TemplateFunctionsTest::testPNormalString":0,"Test\\TemplateFunctionsTest::testPrintUnescaped":0,"Test\\TemplateFunctionsTest::testPrintUnescapedNormalString":0,"Test\\TemplateFunctionsTest::testRelativeDateToday":0,"Test\\TemplateFunctionsTest::testRelativeDateYesterday":0,"Test\\TemplateFunctionsTest::testRelativeDate2DaysAgo":0,"Test\\TemplateFunctionsTest::testRelativeDateLastMonth":0,"Test\\TemplateFunctionsTest::testRelativeDateMonthsAgo":0,"Test\\TemplateFunctionsTest::testRelativeDateLastYear":0,"Test\\TemplateFunctionsTest::testRelativeDateYearsAgo":0,"Test\\TemplateFunctionsTest::testRelativeTimeSecondsAgo":0,"Test\\TemplateFunctionsTest::testRelativeTimeMinutesAgo":0,"Test\\TemplateFunctionsTest::testRelativeTimeHoursAgo":0,"Test\\TemplateFunctionsTest::testRelativeTime2DaysAgo":0,"Test\\TemplateFunctionsTest::testRelativeTimeLastMonth":0,"Test\\TemplateFunctionsTest::testRelativeTimeMonthsAgo":0,"Test\\TemplateFunctionsTest::testRelativeTimeLastYear":0,"Test\\TemplateFunctionsTest::testRelativeTimeYearsAgo":0,"Test\\Updater\\ChangesCheckTest::testEvaluateResponse with data set #0":0,"Test\\Updater\\ChangesCheckTest::testEvaluateResponse with data set #1":0,"Test\\Updater\\ChangesCheckTest::testEvaluateResponse with data set #2":0,"Test\\Updater\\ChangesCheckTest::testEvaluateResponse with data set #3":0,"Test\\Updater\\ChangesCheckTest::testCacheResultInsert":0,"Test\\Updater\\ChangesCheckTest::testCacheResultUpdate":0,"Test\\Updater\\ChangesCheckTest::testExtractData with data set #0":0,"Test\\Updater\\ChangesCheckTest::testExtractData with data set #1":0,"Test\\Updater\\ChangesCheckTest::testExtractData with data set #2":0,"Test\\Updater\\ChangesCheckTest::testExtractData with data set #3":0,"Test\\Updater\\ChangesCheckTest::testExtractData with data set #4":0,"Test\\Updater\\ChangesCheckTest::testQueryChangesServer with data set #0":0,"Test\\Updater\\ChangesCheckTest::testQueryChangesServer with data set #1":0,"Test\\Updater\\ChangesCheckTest::testNormalizeVersion with data set #0":0,"Test\\Updater\\ChangesCheckTest::testNormalizeVersion with data set #1":0,"Test\\Updater\\ChangesCheckTest::testNormalizeVersion with data set #2":0,"Test\\Updater\\ChangesCheckTest::testNormalizeVersion with data set #3":0,"Test\\Updater\\ChangesCheckTest::testNormalizeVersion with data set #4":0,"Test\\Updater\\ChangesCheckTest::testNormalizeVersion with data set #5":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #0":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #1":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #2":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #3":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #4":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #5":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #6":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #7":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #8":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #9":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #10":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersion with data set #11":0,"Test\\Updater\\ChangesCheckTest::testGetChangesForVersionEmptyData":0,"Test\\Updater\\VersionCheckTest::testCheckInCache":0,"Test\\Updater\\VersionCheckTest::testCheckWithoutUpdateUrl":0,"Test\\Updater\\VersionCheckTest::testCheckWithInvalidXml":0,"Test\\Updater\\VersionCheckTest::testCheckWithEmptyValidXmlResponse":0,"Test\\Updater\\VersionCheckTest::testCheckWithEmptyInvalidXmlResponse":0,"Test\\Updater\\VersionCheckTest::testCheckWithMissingAttributeXmlResponse":0,"Test\\Updater\\VersionCheckTest::testNoInternet":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #0":0.007,"Test\\UpdaterTest::testIsUpgradePossible with data set #1":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #2":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #3":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #4":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #5":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #6":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #7":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #8":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #9":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #10":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #11":0,"Test\\UpdaterTest::testIsUpgradePossible with data set #12":0,"Test\\UrlGeneratorTest::testLinkToDocRoot with data set #0":0.014,"Test\\UrlGeneratorTest::testLinkToDocRoot with data set #1":0,"Test\\UrlGeneratorTest::testLinkToDocRoot with data set #2":0,"Test\\UrlGeneratorTest::testLinkToSubDir with data set #0":0,"Test\\UrlGeneratorTest::testLinkToSubDir with data set #1":0,"Test\\UrlGeneratorTest::testLinkToSubDir with data set #2":0,"Test\\UrlGeneratorTest::testLinkToRouteAbsolute with data set #0":0.003,"Test\\UrlGeneratorTest::testLinkToRouteAbsolute with data set #1":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLDocRoot with data set #0":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLDocRoot with data set #1":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLDocRoot with data set #2":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLDocRoot with data set #3":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLSubDir with data set #0":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLSubDir with data set #1":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLSubDir with data set #2":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLSubDir with data set #3":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLSubDir with data set #4":0,"Test\\UrlGeneratorTest::testGetAbsoluteURLSubDir with data set #5":0,"Test\\UrlGeneratorTest::testGetBaseUrl":0,"Test\\UrlGeneratorTest::testGetWebroot":0,"Test\\UrlGeneratorTest::testLinkToOCSRouteAbsolute with data set #0":0,"Test\\UrlGeneratorTest::testLinkToOCSRouteAbsolute with data set #1":0,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithRedirectUrlWithoutFrontController":0.001,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithRedirectUrlRedirectBypassWithoutFrontController":0.001,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithRedirectUrlRedirectBypassWithFrontController":0,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithRedirectUrlWithIgnoreFrontController":0,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithDefaultApps with data set #0":0.001,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithDefaultApps with data set #1":0,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithDefaultApps with data set #2":0,"Test\\UrlGeneratorTest::testLinkToDefaultPageUrlWithDefaultApps with data set #3":0,"Test\\User\\DatabaseTest::testVerifyPasswordEvent":0.396,"Test\\User\\DatabaseTest::testVerifyPasswordEventFail":0.137,"Test\\User\\DatabaseTest::testCreateUserInvalidatesCache":0.13,"Test\\User\\DatabaseTest::testDeleteUserInvalidatesCache":0.249,"Test\\User\\DatabaseTest::testSearch":0.744,"Test\\User\\DatabaseTest::testAddRemove":0.247,"Test\\User\\DatabaseTest::testLogin":1.484,"Test\\User\\ManagerTest::testGetBackends":0.001,"Test\\User\\ManagerTest::testUserExistsSingleBackendExists":0,"Test\\User\\ManagerTest::testUserExistsSingleBackendNotExists":0,"Test\\User\\ManagerTest::testUserExistsNoBackends":0,"Test\\User\\ManagerTest::testUserExistsTwoBackendsSecondExists":0,"Test\\User\\ManagerTest::testUserExistsTwoBackendsFirstExists":0,"Test\\User\\ManagerTest::testCheckPassword":0,"Test\\User\\ManagerTest::testCheckPasswordNotSupported":0,"Test\\User\\ManagerTest::testGetOneBackendExists":0,"Test\\User\\ManagerTest::testGetOneBackendNotExists":0,"Test\\User\\ManagerTest::testGetOneBackendDoNotTranslateLoginNames":0,"Test\\User\\ManagerTest::testSearchOneBackend":0,"Test\\User\\ManagerTest::testSearchTwoBackendLimitOffset":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #0":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #1":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #2":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #3":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #4":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #5":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #6":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #7":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #8":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #9":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #10":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #11":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #12":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #13":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #14":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #15":0,"Test\\User\\ManagerTest::testCreateUserInvalid with data set #16":0,"Test\\User\\ManagerTest::testCreateUserSingleBackendNotExists":0,"Test\\User\\ManagerTest::testCreateUserSingleBackendExists":0,"Test\\User\\ManagerTest::testCreateUserSingleBackendNotSupported":0,"Test\\User\\ManagerTest::testCreateUserNoBackends":0,"Test\\User\\ManagerTest::testCreateUserFromBackendWithBackendError":0,"Test\\User\\ManagerTest::testCreateUserTwoBackendExists":0,"Test\\User\\ManagerTest::testCountUsersNoBackend":0,"Test\\User\\ManagerTest::testCountUsersOneBackend":0,"Test\\User\\ManagerTest::testCountUsersTwoBackends":0,"Test\\User\\ManagerTest::testCountUsersOnlyDisabled":0.02,"Test\\User\\ManagerTest::testCountUsersOnlySeen":0.019,"Test\\User\\ManagerTest::testCallForSeenUsers":0.019,"Test\\User\\ManagerTest::testDeleteUser":0.003,"Test\\User\\ManagerTest::testGetByEmail":0,"Test\\User\\SessionTest::testIsLoggedIn with data set #0":0.001,"Test\\User\\SessionTest::testIsLoggedIn with data set #1":0,"Test\\User\\SessionTest::testSetUser":0,"Test\\User\\SessionTest::testLoginValidPasswordEnabled":0.001,"Test\\User\\SessionTest::testLoginValidPasswordDisabled":0.001,"Test\\User\\SessionTest::testLoginInvalidPassword":0,"Test\\User\\SessionTest::testLoginNonExisting":0,"Test\\User\\SessionTest::testLogClientInNoTokenPasswordWith2fa":0,"Test\\User\\SessionTest::testLogClientInUnexist":0,"Test\\User\\SessionTest::testLogClientInWithTokenPassword":0,"Test\\User\\SessionTest::testLogClientInNoTokenPasswordNo2fa":0,"Test\\User\\SessionTest::testRememberLoginValidToken":0,"Test\\User\\SessionTest::testRememberLoginInvalidSessionToken":0,"Test\\User\\SessionTest::testRememberLoginInvalidToken":0,"Test\\User\\SessionTest::testRememberLoginInvalidUser":0,"Test\\User\\SessionTest::testActiveUserAfterSetSession":0,"Test\\User\\SessionTest::testCreateSessionToken":0,"Test\\User\\SessionTest::testCreateRememberedSessionToken":0,"Test\\User\\SessionTest::testCreateSessionTokenWithTokenPassword":0,"Test\\User\\SessionTest::testCreateSessionTokenWithNonExistentUser":0,"Test\\User\\SessionTest::testCreateRememberMeToken":0,"Test\\User\\SessionTest::testTryBasicAuthLoginValid":0.006,"Test\\User\\SessionTest::testTryBasicAuthLoginNoLogin":0,"Test\\User\\SessionTest::testUpdateTokens":0,"Test\\User\\UserTest::testDisplayName":0,"Test\\User\\UserTest::testDisplayNameEmpty":0,"Test\\User\\UserTest::testDisplayNameNotSupported":0,"Test\\User\\UserTest::testSetPassword":0,"Test\\User\\UserTest::testSetPasswordNotSupported":0,"Test\\User\\UserTest::testChangeAvatarSupportedYes":0.001,"Test\\User\\UserTest::testChangeAvatarSupportedNo":0,"Test\\User\\UserTest::testChangeAvatarNotSupported":0,"Test\\User\\UserTest::testDelete":0,"Test\\User\\UserTest::testDeleteWithDifferentHome":0,"Test\\User\\UserTest::testGetHome":0,"Test\\User\\UserTest::testGetBackendClassName":0,"Test\\User\\UserTest::testGetHomeNotSupported":0,"Test\\User\\UserTest::testCanChangePassword":0,"Test\\User\\UserTest::testCanChangePasswordNotSupported":0,"Test\\User\\UserTest::testCanChangeDisplayName":0,"Test\\User\\UserTest::testCanChangeDisplayNameNotSupported":0,"Test\\User\\UserTest::testSetDisplayNameSupported":0,"Test\\User\\UserTest::testSetDisplayNameEmpty":0,"Test\\User\\UserTest::testSetDisplayNameNotSupported":0,"Test\\User\\UserTest::testSetPasswordHooks":0,"Test\\User\\UserTest::testDeleteHooks with data set #0":0.003,"Test\\User\\UserTest::testDeleteHooks with data set #1":0,"Test\\User\\UserTest::testGetCloudId":0,"Test\\User\\UserTest::testSetEMailAddressEmpty":0,"Test\\User\\UserTest::testSetEMailAddress":0,"Test\\User\\UserTest::testSetEMailAddressNoChange":0,"Test\\User\\UserTest::testSetQuota":0,"Test\\User\\UserTest::testGetDefaultUnlimitedQuota":0,"Test\\User\\UserTest::testGetDefaultUnlimitedQuotaForbidden":0,"Test\\User\\UserTest::testSetQuotaAddressNoChange":0,"Test\\User\\UserTest::testGetLastLogin":0,"Test\\User\\UserTest::testSetEnabled":0,"Test\\User\\UserTest::testSetDisabled":0,"Test\\User\\UserTest::testSetDisabledAlreadyDisabled":0,"Test\\User\\UserTest::testGetEMailAddress":0,"Test\\UtilCheckServerTest::testCheckServer":0,"Test\\UtilCheckServerTest::testCheckServerSkipDataDirValidityOnSetup":0,"Test\\UtilCheckServerTest::testCheckServerSkipDataDirValidityOnUpgrade":0,"Test\\UtilCheckServerTest::testCheckDataDirValidity":0,"Test\\UtilCheckServerTest::testCheckDataDirValidityWhenFileMissing":0,"Test\\UtilCheckServerTest::testDataDirWritable":0,"Test\\UtilCheckServerTest::testDataDirNotWritable":0,"Test\\UtilCheckServerTest::testDataDirNotWritableSetup":0,"Test\\UtilTest::testGetVersion":0,"Test\\UtilTest::testGetVersionString":0,"Test\\UtilTest::testGetEditionString":0,"Test\\UtilTest::testSanitizeHTML":0,"Test\\UtilTest::testEncodePath":0,"Test\\UtilTest::testIsNonUTF8Locale":0,"Test\\UtilTest::testFileInfoLoaded":0,"Test\\UtilTest::testGetDefaultEmailAddress":0,"Test\\UtilTest::testGetDefaultEmailAddressFromConfig":0,"Test\\UtilTest::testGetConfiguredEmailAddressFromConfig":0,"Test\\UtilTest::testGetInstanceIdGeneratesValidId":0,"Test\\UtilTest::testFilenameValidation with data set #0":0,"Test\\UtilTest::testFilenameValidation with data set #1":0,"Test\\UtilTest::testFilenameValidation with data set #2":0,"Test\\UtilTest::testFilenameValidation with data set #3":0,"Test\\UtilTest::testFilenameValidation with data set #4":0,"Test\\UtilTest::testFilenameValidation with data set #5":0,"Test\\UtilTest::testFilenameValidation with data set #6":0,"Test\\UtilTest::testFilenameValidation with data set #7":0,"Test\\UtilTest::testFilenameValidation with data set #8":0,"Test\\UtilTest::testFilenameValidation with data set #9":0,"Test\\UtilTest::testFilenameValidation with data set #10":0,"Test\\UtilTest::testFilenameValidation with data set #11":0,"Test\\UtilTest::testFilenameValidation with data set #12":0,"Test\\UtilTest::testFilenameValidation with data set #13":0,"Test\\UtilTest::testFilenameValidation with data set #14":0,"Test\\UtilTest::testFilenameValidation with data set #15":0,"Test\\UtilTest::testFilenameValidation with data set #16":0,"Test\\UtilTest::testFilenameValidation with data set #17":0,"Test\\UtilTest::testFilenameValidation with data set #18":0,"Test\\UtilTest::testFilenameValidation with data set #19":0,"Test\\UtilTest::testFilenameValidation with data set #20":0,"Test\\UtilTest::testFilenameValidation with data set #21":0,"Test\\UtilTest::testFilenameValidation with data set #22":0,"Test\\UtilTest::testFilenameValidation with data set #23":0,"Test\\UtilTest::testFilenameValidation with data set #24":0,"Test\\UtilTest::testFilenameValidation with data set #25":0,"Test\\UtilTest::testFilenameValidation with data set #26":0,"Test\\UtilTest::testFilenameValidation with data set #27":0,"Test\\UtilTest::testFilenameValidation with data set #28":0,"Test\\UtilTest::testFilenameValidation with data set #29":0,"Test\\UtilTest::testFilenameValidation with data set #30":0,"Test\\UtilTest::testFilenameValidation with data set #31":0,"Test\\UtilTest::testFilenameValidation with data set #32":0,"Test\\UtilTest::testFilenameValidation with data set #33":0,"Test\\UtilTest::testFilenameValidation with data set #34":0,"Test\\UtilTest::testNeedUpgradeCore":0,"Test\\UtilTest::testCheckDataDirectoryValidity":0,"Test\\UtilTest::testAddScript":0,"Test\\UtilTest::testAddScriptCircularDependency":0,"Test\\UtilTest::testAddVendorScript":0,"Test\\UtilTest::testAddTranslations":0,"Test\\UtilTest::testAddStyle":0,"Test\\UtilTest::testAddVendorStyle":0,"Test\\UtilTest::testShortenMultibyteString":0,"Test\\Files\\Utils\\ScannerTest::tearDownAfterClass":0,"Test\\Files\\ViewTest::tearDownAfterClass":0,"Test\\Group\\DatabaseTest::tearDownAfterClass":0,"Test\\HelperStorageTest::tearDownAfterClass":0,"Test\\AppFramework\\DependencyInjection\\DIIntergrationTests::testInjectFromServer":0,"Test\\AppFramework\\DependencyInjection\\DIIntergrationTests::testInjectDepFromServer":0,"Test\\AppFramework\\DependencyInjection\\DIIntergrationTests::testOverwriteDepFromServer":0,"Test\\AppFramework\\DependencyInjection\\DIIntergrationTests::testIgnoreOverwriteInServerClass":0,"Test\\Group\\Dummy::testAddRemove":0,"Test\\Group\\Dummy::testUser":0,"Test\\Group\\Dummy::testSearchGroups":0,"Test\\Group\\Dummy::testSearchUsers":0,"Test\\Group\\Dummy::testAddDouble":0,"Test\\User\\Dummy::testAddRemove":0,"Test\\User\\Dummy::testLogin":0,"Test\\User\\Dummy::testSearch":0,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #0":0.009,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #1":0.001,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #2":0,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #3":0.001,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #4":0.001,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #5":0,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #6":0,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #7":0,"Tests\\Core\\Command\\Config\\AppsDisableTest::testCommandInput with data set #8":0.001,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #0":0.007,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #1":0.002,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #2":0.002,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #3":0.001,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #4":0.002,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #5":0.002,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #6":0.002,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #7":0.001,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #8":0.001,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #9":0.003,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #10":0.002,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #11":0.002,"Tests\\Core\\Command\\Config\\AppsEnableTest::testCommandInput with data set #12":0.002,"Tests\\Core\\Command\\Config\\App\\DeleteConfigTest::testDelete with data set #0":0.003,"Tests\\Core\\Command\\Config\\App\\DeleteConfigTest::testDelete with data set #1":0,"Tests\\Core\\Command\\Config\\App\\DeleteConfigTest::testDelete with data set #2":0,"Tests\\Core\\Command\\Config\\App\\DeleteConfigTest::testDelete with data set #3":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #0":0.001,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #1":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #2":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #3":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #4":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #5":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #6":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #7":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #8":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #9":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #10":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #11":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #12":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #13":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #14":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #15":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #16":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #17":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #18":0,"Tests\\Core\\Command\\Config\\App\\GetConfigTest::testGet with data set #19":0,"Tests\\Core\\Command\\Config\\App\\SetConfigTest::testSet with data set #0":0,"Tests\\Core\\Command\\Config\\App\\SetConfigTest::testSet with data set #1":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArray with data set #0":0.001,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArray with data set #1":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArray with data set #2":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArray with data set #3":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArray with data set #4":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArrayThrows with data set #0":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArrayThrows with data set #1":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArrayThrows with data set #2":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateAppsArrayThrows with data set #3":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #0":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #1":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #2":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #3":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #4":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #5":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #6":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #7":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #8":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #9":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursively with data set #10":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursivelyThrows with data set #0":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursivelyThrows with data set #1":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursivelyThrows with data set #2":0,"Tests\\Core\\Command\\Config\\ImportTest::testCheckTypeRecursivelyThrows with data set #3":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateArray with data set #0":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateArray with data set #1":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateArray with data set #2":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateArrayThrows with data set #0":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateArrayThrows with data set #1":0,"Tests\\Core\\Command\\Config\\ImportTest::testValidateArrayThrows with data set #2":0,"Tests\\Core\\Command\\Config\\ListConfigsTest::testList with data set #0":0.001,"Tests\\Core\\Command\\Config\\ListConfigsTest::testList with data set #1":0,"Tests\\Core\\Command\\Config\\ListConfigsTest::testList with data set #2":0,"Tests\\Core\\Command\\Config\\ListConfigsTest::testList with data set #3":0,"Tests\\Core\\Command\\Config\\ListConfigsTest::testList with data set #4":0,"Tests\\Core\\Command\\Config\\ListConfigsTest::testList with data set #5":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testDelete with data set #0":0.001,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testDelete with data set #1":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testDelete with data set #2":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testDelete with data set #3":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testArrayDelete with data set #0":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testArrayDelete with data set #1":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testArrayDelete with data set #2":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testArrayDelete with data set #3":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testArrayDelete with data set #4":0,"Tests\\Core\\Command\\Config\\System\\DeleteConfigTest::testArrayDelete with data set #5":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #0":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #1":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #2":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #3":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #4":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #5":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #6":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #7":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #8":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #9":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #10":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #11":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #12":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #13":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #14":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #15":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #16":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #17":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #18":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #19":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #20":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #21":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #22":0,"Tests\\Core\\Command\\Config\\System\\GetConfigTest::testGet with data set #23":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testSet with data set #0":0.001,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testSet with data set #1":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testSet with data set #2":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testSetUpdateOnly with data set #0":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testSetUpdateOnly with data set #1":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testSetUpdateOnly with data set #2":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testSetUpdateOnly with data set #3":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #0":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #1":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #2":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #3":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #4":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #5":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #6":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #7":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValue with data set #8":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValueInvalid with data set #0":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValueInvalid with data set #1":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValueInvalid with data set #2":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValueInvalid with data set #3":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValueInvalid with data set #4":0,"Tests\\Core\\Command\\Config\\System\\SetConfigTest::testCastValueInvalid with data set #5":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testExecute with data set #0":0.003,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testExecute with data set #1":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testExecute with data set #2":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testExecute with data set #3":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testExecute with data set #4":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveAllKeys":0.001,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testPrepareNewRoot":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testPrepareNewRootException with data set #0":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testPrepareNewRootException with data set #1":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testPrepareNewRootException with data set #2":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveSystemKeys with data set #0":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveSystemKeys with data set #1":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveSystemKeys with data set #2":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveSystemKeys with data set #3":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserKeys":0.008,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserEncryptionFolder with data set #0":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserEncryptionFolder with data set #1":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserEncryptionFolder with data set #2":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserEncryptionFolder with data set #3":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserEncryptionFolder with data set #4":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserEncryptionFolder with data set #5":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testMoveUserEncryptionFolder with data set #6":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testPrepareParentFolder with data set #0":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testPrepareParentFolder with data set #1":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testTargetExists":0,"Tests\\Core\\Command\\Encryption\\ChangeKeyStorageRootTest::testTargetExistsException":0,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testMaintenanceAndTrashbin":0.002,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecute with data set #0":0,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecute with data set #1":0,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecute with data set #2":0,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecute with data set #3":0,"Tests\\Core\\Command\\Encryption\\DecryptAllTest::testExecuteFailure":0,"Tests\\Core\\Command\\Encryption\\DisableTest::testDisable with data set #0":0,"Tests\\Core\\Command\\Encryption\\DisableTest::testDisable with data set #1":0,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #0":0,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #1":0,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #2":0,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #3":0,"Tests\\Core\\Command\\Encryption\\EnableTest::testEnable with data set #4":0,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testEncryptAll":0.001,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecute with data set #0":0,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecute with data set #1":0,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecute with data set #2":0,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecute with data set #3":0,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecute with data set #4":0,"Tests\\Core\\Command\\Encryption\\EncryptAllTest::testExecuteException":0,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testSetDefaultModule with data set #0":0,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testSetDefaultModule with data set #1":0,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testSetDefaultModule with data set #2":0,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testMaintenanceMode with data set #0":0,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testMaintenanceMode with data set #1":0,"Tests\\Core\\Command\\Encryption\\SetDefaultModuleTest::testMaintenanceMode with data set #2":0,"Test\\Core\\Command\\Group\\AddTest::testGroupExists":0.002,"Test\\Core\\Command\\Group\\AddTest::testAdd":0,"Test\\Core\\Command\\Group\\AddUserTest::testNoGroup":0.001,"Test\\Core\\Command\\Group\\AddUserTest::testNoUser":0,"Test\\Core\\Command\\Group\\AddUserTest::testAdd":0.001,"Test\\Core\\Command\\Group\\DeleteTest::testDoesNotExists":0,"Test\\Core\\Command\\Group\\DeleteTest::testDeleteAdmin":0,"Test\\Core\\Command\\Group\\DeleteTest::testDeleteFailed":0,"Test\\Core\\Command\\Group\\DeleteTest::testDelete":0,"Test\\Core\\Command\\Group\\InfoTest::testDoesNotExists":0,"Test\\Core\\Command\\Group\\InfoTest::testInfo":0,"Test\\Core\\Command\\Group\\ListCommandTest::testExecute":0.001,"Test\\Core\\Command\\Group\\ListCommandTest::testInfo":0,"Test\\Core\\Command\\Group\\RemoveUserTest::testNoGroup":0,"Test\\Core\\Command\\Group\\RemoveUserTest::testNoUser":0,"Test\\Core\\Command\\Group\\RemoveUserTest::testAdd":0,"Tests\\Core\\Command\\Log\\FileTest::testEnable":0,"Tests\\Core\\Command\\Log\\FileTest::testChangeFile":0,"Tests\\Core\\Command\\Log\\FileTest::testChangeRotateSize with data set #0":0,"Tests\\Core\\Command\\Log\\FileTest::testChangeRotateSize with data set #1":0,"Tests\\Core\\Command\\Log\\FileTest::testChangeRotateSize with data set #2":0,"Tests\\Core\\Command\\Log\\FileTest::testChangeRotateSize with data set #3":0,"Tests\\Core\\Command\\Log\\FileTest::testGetConfiguration":0,"Tests\\Core\\Command\\Log\\ManageTest::testChangeBackend":0.001,"Tests\\Core\\Command\\Log\\ManageTest::testChangeLevel":0,"Tests\\Core\\Command\\Log\\ManageTest::testChangeTimezone":0,"Tests\\Core\\Command\\Log\\ManageTest::testValidateBackend":0,"Tests\\Core\\Command\\Log\\ManageTest::testValidateTimezone":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelString with data set #0":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelString with data set #1":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelString with data set #2":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelString with data set #3":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelString with data set #4":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelString with data set #5":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelString with data set #6":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelStringInvalid":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelNumber with data set #0":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelNumber with data set #1":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelNumber with data set #2":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelNumber with data set #3":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelNumber with data set #4":0,"Tests\\Core\\Command\\Log\\ManageTest::testConvertLevelNumberInvalid":0,"Tests\\Core\\Command\\Log\\ManageTest::testGetConfiguration":0,"Tests\\Core\\Command\\Maintenance\\DataFingerprintTest::testSetFingerPrint":0,"Tests\\Core\\Command\\Maintenance\\Mimetype\\UpdateDBTest::testNoop":0.002,"Tests\\Core\\Command\\Maintenance\\Mimetype\\UpdateDBTest::testAddMimetype":0,"Tests\\Core\\Command\\Maintenance\\Mimetype\\UpdateDBTest::testSkipComments":0,"Tests\\Core\\Command\\Maintenance\\Mimetype\\UpdateDBTest::testRepairFilecache":0,"Tests\\Core\\Command\\Maintenance\\ModeTest::testExecute with data set \"off -> on\"":0,"Tests\\Core\\Command\\Maintenance\\ModeTest::testExecute with data set \"on -> off\"":0,"Tests\\Core\\Command\\Maintenance\\ModeTest::testExecute with data set \"on -> on\"":0,"Tests\\Core\\Command\\Maintenance\\ModeTest::testExecute with data set \"off -> off\"":0,"Tests\\Core\\Command\\Maintenance\\ModeTest::testExecute with data set \"no option, maintenance enabled\"":0,"Tests\\Core\\Command\\Maintenance\\ModeTest::testExecute with data set \"no option, maintenance disabled\"":0,"Tests\\Core\\Command\\Maintenance\\UpdateThemeTest::testThemeUpdate":0.001,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #0":0.003,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #1":0,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #2":0,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #3":0.001,"Tests\\Core\\Command\\Preview\\RepairTest::testEmptyExecute with data set #4":0,"Test\\Core\\Command\\SystemTag\\AddTest::testExecute":0.001,"Test\\Core\\Command\\SystemTag\\AddTest::testAlreadyExists":0,"Test\\Core\\Command\\SystemTag\\DeleteTest::testExecute":0,"Test\\Core\\Command\\SystemTag\\DeleteTest::testNotFound":0,"Test\\Core\\Command\\SystemTag\\EditTest::testExecute":0,"Test\\Core\\Command\\SystemTag\\EditTest::testAlreadyExists":0,"Test\\Core\\Command\\SystemTag\\EditTest::testNotFound":0,"Test\\Core\\Command\\SystemTag\\ListCommandTest::testExecute":0,"Core\\Command\\TwoFactorAuth\\CleanupTest::testCleanup":0.001,"Test\\Core\\Command\\TwoFactorAuth\\DisableTest::testInvalidUID":0.001,"Test\\Core\\Command\\TwoFactorAuth\\DisableTest::testEnableNotSupported":0,"Test\\Core\\Command\\TwoFactorAuth\\DisableTest::testEnabled":0,"Test\\Core\\Command\\TwoFactorAuth\\EnableTest::testInvalidUID":0,"Test\\Core\\Command\\TwoFactorAuth\\EnableTest::testEnableNotSupported":0,"Test\\Core\\Command\\TwoFactorAuth\\EnableTest::testEnabled":0,"Tests\\Core\\Command\\TwoFactorAuth\\EnforceTest::testEnforce":0.001,"Tests\\Core\\Command\\TwoFactorAuth\\EnforceTest::testEnforceForOneGroup":0,"Tests\\Core\\Command\\TwoFactorAuth\\EnforceTest::testEnforceForAllExceptOneGroup":0,"Tests\\Core\\Command\\TwoFactorAuth\\EnforceTest::testDisableEnforced":0,"Tests\\Core\\Command\\TwoFactorAuth\\EnforceTest::testCurrentStateEnabled":0,"Tests\\Core\\Command\\TwoFactorAuth\\EnforceTest::testCurrentStateDisabled":0,"Core\\Command\\TwoFactorAuth\\StateTest::testWrongUID":0.001,"Core\\Command\\TwoFactorAuth\\StateTest::testStateNoProvidersActive":0,"Core\\Command\\TwoFactorAuth\\StateTest::testStateOneProviderActive":0,"Tests\\Core\\Command\\User\\DeleteTest::testValidUser with data set #0":0.001,"Tests\\Core\\Command\\User\\DeleteTest::testValidUser with data set #1":0,"Tests\\Core\\Command\\User\\DeleteTest::testInvalidUser":0,"Tests\\Core\\Command\\User\\DisableTest::testValidUser":0,"Tests\\Core\\Command\\User\\DisableTest::testInvalidUser":0,"Tests\\Core\\Command\\User\\EnableTest::testValidUser":0,"Tests\\Core\\Command\\User\\EnableTest::testInvalidUser":0,"Tests\\Core\\Command\\User\\LastSeenTest::testValidUser with data set #0":0,"Tests\\Core\\Command\\User\\LastSeenTest::testValidUser with data set #1":0,"Tests\\Core\\Command\\User\\LastSeenTest::testInvalidUser":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #0":0.001,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #1":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #2":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #3":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #4":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #5":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #6":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #7":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #8":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #9":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #10":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #11":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #12":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #13":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInput with data set #14":0,"Tests\\Core\\Command\\User\\SettingTest::testCheckInputExceptionCatch":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteDelete with data set #0":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteDelete with data set #1":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteDelete with data set #2":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteDelete with data set #3":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteSet with data set #0":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteSet with data set #1":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteSet with data set #2":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteSet with data set #3":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteGet with data set #0":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteGet with data set #1":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteGet with data set #2":0,"Tests\\Core\\Command\\User\\SettingTest::testExecuteList":0,"Tests\\Core\\Controller\\AppPasswordControllerTest::testGetAppPasswordWithAppPassword":0.019,"Tests\\Core\\Controller\\AppPasswordControllerTest::testGetAppPasswordNoLoginCreds":0,"Tests\\Core\\Controller\\AppPasswordControllerTest::testGetAppPassword":0.002,"Tests\\Core\\Controller\\AppPasswordControllerTest::testGetAppPasswordNoPassword":0,"Tests\\Core\\Controller\\AppPasswordControllerTest::testDeleteAppPasswordNoAppPassword":0,"Tests\\Core\\Controller\\AppPasswordControllerTest::testDeleteAppPasswordFails":0,"Tests\\Core\\Controller\\AppPasswordControllerTest::testDeleteAppPasswordSuccess":0.001,"Tests\\Core\\Controller\\AutoCompleteControllerTest::testGet with data set #0":0.003,"Tests\\Core\\Controller\\AutoCompleteControllerTest::testGet with data set #1":0,"Tests\\Core\\Controller\\AutoCompleteControllerTest::testGet with data set #2":0,"Tests\\Core\\Controller\\AutoCompleteControllerTest::testGet with data set #3":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarNoAvatar":0.032,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatar":0.003,"Tests\\Core\\Controller\\AvatarControllerTest::testGetGeneratedAvatar":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarNoUser":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSize64":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSize512":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSizeTooSmall":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSizeBetween":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSizeTooBig":0,"Tests\\Core\\Controller\\AvatarControllerTest::testDeleteAvatar":0,"Tests\\Core\\Controller\\AvatarControllerTest::testDeleteAvatarException":0,"Tests\\Core\\Controller\\AvatarControllerTest::testTmpAvatarNoTmp":0,"Tests\\Core\\Controller\\AvatarControllerTest::testTmpAvatarValid":0.05,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarNoPathOrImage":0,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarFile":0.028,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarInvalidFile":0,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarFileGif":0.001,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarFromFile":0.029,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarFromNoFile":0.001,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarInvalidType":0,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarNotPermittedException":0.001,"Tests\\Core\\Controller\\AvatarControllerTest::testPostAvatarException":0.026,"Tests\\Core\\Controller\\AvatarControllerTest::testPostCroppedAvatarInvalidCrop":0,"Tests\\Core\\Controller\\AvatarControllerTest::testPostCroppedAvatarNoTmpAvatar":0,"Tests\\Core\\Controller\\AvatarControllerTest::testPostCroppedAvatarNoSquareCrop":0.014,"Tests\\Core\\Controller\\AvatarControllerTest::testPostCroppedAvatarValidCrop":0.015,"Tests\\Core\\Controller\\AvatarControllerTest::testPostCroppedAvatarException":0.015,"Tests\\Core\\Controller\\AvatarControllerTest::testFileTooBig":0,"Tests\\Core\\Controller\\CSRFTokenControllerTest::testGetToken":0.001,"Tests\\Core\\Controller\\CSRFTokenControllerTest::testGetTokenNoStrictSameSiteCookie":0,"Tests\\Core\\Controller\\ChangePasswordControllerTest::testChangePersonalPasswordWrongPassword":0.003,"Tests\\Core\\Controller\\ChangePasswordControllerTest::testChangePersonalPasswordCommonPassword":0,"Tests\\Core\\Controller\\ChangePasswordControllerTest::testChangePersonalPasswordNoNewPassword":0,"Tests\\Core\\Controller\\ChangePasswordControllerTest::testChangePersonalPasswordCantSetPassword":0,"Tests\\Core\\Controller\\ChangePasswordControllerTest::testChangePersonalPassword":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testShowAuthPickerPageNoClientOrOauthRequest":0.003,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testShowAuthPickerPageWithOcsHeader":0.001,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testShowAuthPickerPageWithOauth":0.001,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGenerateAppPasswordWithInvalidToken":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGenerateAppPasswordWithSessionNotAvailableException":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGenerateAppPasswordWithInvalidTokenException":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithPassword":0.001,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithPasswordForOauthClient with data set #0":0.001,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithPasswordForOauthClient with data set #1":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithoutPassword":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithHttpsProxy with data set #0":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithHttpsProxy with data set #1":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithHttpsProxy with data set #2":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithHttpsProxy with data set #3":0,"Tests\\Core\\Controller\\ClientFlowLoginControllerTest::testGeneratePasswordWithHttpsProxy with data set #4":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testPollInvalid":0.001,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testPollValid":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testLandingInvalid":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testLandingValid":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testShowAuthPickerNoLoginToken":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testShowAuthPickerInvalidLoginToken":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testShowAuthPickerValidLoginToken":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testGrantPageInvalidStateToken":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testGrantPageInvalidLoginToken":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testGrantPageValid":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testGenerateAppPasswordInvalidStateToken":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testGenerateAppPassworInvalidLoginToken":0,"Test\\Core\\Controller\\ClientFlowLoginV2ControllerTest::testGenerateAppPassworValid":0,"Tests\\Controller\\ContactsMenuControllerTest::testIndex":0.001,"Tests\\Controller\\ContactsMenuControllerTest::testFindOne":0,"Tests\\Controller\\ContactsMenuControllerTest::testFindOne404":0,"Tests\\Core\\Controller\\CssControllerTest::testNoCssFolderForApp":0.001,"Tests\\Core\\Controller\\CssControllerTest::testNoCssFile":0,"Tests\\Core\\Controller\\CssControllerTest::testGetFile":0.001,"Tests\\Core\\Controller\\CssControllerTest::testGetGzipFile":0,"Tests\\Core\\Controller\\CssControllerTest::testGetGzipFileNotFound":0,"Core\\Controller\\GuestAvatarControllerTest::testGetAvatar":0.001,"Tests\\Core\\Controller\\JsControllerTest::testNoCssFolderForApp":0,"Tests\\Core\\Controller\\JsControllerTest::testNoCssFile":0,"Tests\\Core\\Controller\\JsControllerTest::testGetFile":0,"Tests\\Core\\Controller\\JsControllerTest::testGetGzipFile":0,"Tests\\Core\\Controller\\JsControllerTest::testGetGzipFileNotFound":0,"Tests\\Core\\Controller\\LoginControllerTest::testLogoutWithoutToken":0.004,"Tests\\Core\\Controller\\LoginControllerTest::testLogoutNoClearSiteData":0,"Tests\\Core\\Controller\\LoginControllerTest::testLogoutWithToken":0,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormForLoggedInUsers":0,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormWithErrorsInSession":0,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormForFlowAuth":0,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormWithPasswordResetOption with data set #0":0,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormWithPasswordResetOption with data set #1":0,"Tests\\Core\\Controller\\LoginControllerTest::testShowLoginFormForUserNamed0":0,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithInvalidCredentials":0.001,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithValidCredentials":0,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithoutPassedCsrfCheckAndNotLoggedIn":0,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithoutPassedCsrfCheckAndLoggedIn":0,"Tests\\Core\\Controller\\LoginControllerTest::testLoginWithValidCredentialsAndRedirectUrl":0,"Tests\\Core\\Controller\\LoginControllerTest::testToNotLeakLoginName":0,"Tests\\Core\\Controller\\LostControllerTest::testResetFormTokenError":0.002,"Tests\\Core\\Controller\\LostControllerTest::testResetFormValidToken":0,"Tests\\Core\\Controller\\LostControllerTest::testEmailUnsuccessful":0,"Tests\\Core\\Controller\\LostControllerTest::testEmailSuccessful":0.002,"Tests\\Core\\Controller\\LostControllerTest::testEmailWithMailSuccessful":0.001,"Tests\\Core\\Controller\\LostControllerTest::testEmailCantSendException":0.001,"Tests\\Core\\Controller\\LostControllerTest::testSetPasswordUnsuccessful":0,"Tests\\Core\\Controller\\LostControllerTest::testSetPasswordSuccessful":0,"Tests\\Core\\Controller\\LostControllerTest::testSetPasswordExpiredToken":0,"Tests\\Core\\Controller\\LostControllerTest::testSetPasswordInvalidDataInDb":0,"Tests\\Core\\Controller\\LostControllerTest::testIsSetPasswordWithoutTokenFailing":0,"Tests\\Core\\Controller\\LostControllerTest::testSetPasswordForDisabledUser":0,"Tests\\Core\\Controller\\LostControllerTest::testSendEmailNoEmail":0,"Tests\\Core\\Controller\\LostControllerTest::testSetPasswordEncryptionDontProceedPerUserKey":0,"Tests\\Core\\Controller\\LostControllerTest::testSetPasswordDontProceedMasterKey":0,"Tests\\Core\\Controller\\LostControllerTest::testTwoUsersWithSameEmail":0,"Tests\\Core\\Controller\\LostControllerTest::testTwoUsersWithSameEmailOneDisabled with data set #0":0,"Tests\\Core\\Controller\\LostControllerTest::testTwoUsersWithSameEmailOneDisabled with data set #1":0,"Tests\\Core\\Controller\\NavigationControllerTest::testGetAppNavigation with data set #0":0.001,"Tests\\Core\\Controller\\NavigationControllerTest::testGetAppNavigation with data set #1":0,"Tests\\Core\\Controller\\NavigationControllerTest::testGetSettingsNavigation with data set #0":0,"Tests\\Core\\Controller\\NavigationControllerTest::testGetSettingsNavigation with data set #1":0,"Tests\\Core\\Controller\\NavigationControllerTest::testGetAppNavigationEtagMatch":0,"Tests\\Core\\Controller\\NavigationControllerTest::testGetSettingsNavigationEtagMatch":0,"OC\\Core\\Controller\\OCSControllerTest::testGetConfig":0.002,"OC\\Core\\Controller\\OCSControllerTest::testGetCapabilities":0,"OC\\Core\\Controller\\OCSControllerTest::testGetCapabilitiesPublic":0,"OC\\Core\\Controller\\OCSControllerTest::testPersonCheckValid":0,"OC\\Core\\Controller\\OCSControllerTest::testPersonInvalid":0,"OC\\Core\\Controller\\OCSControllerTest::testPersonNoLogin":0,"OC\\Core\\Controller\\OCSControllerTest::testGetIdentityProofWithNotExistingUser":0,"OC\\Core\\Controller\\OCSControllerTest::testGetIdentityProof":0,"Tests\\Core\\Controller\\PreviewControllerTest::testInvalidFile":0.002,"Tests\\Core\\Controller\\PreviewControllerTest::testInvalidWidth":0,"Tests\\Core\\Controller\\PreviewControllerTest::testInvalidHeight":0,"Tests\\Core\\Controller\\PreviewControllerTest::testFileNotFound":0.001,"Tests\\Core\\Controller\\PreviewControllerTest::testNotAFile":0,"Tests\\Core\\Controller\\PreviewControllerTest::testNoPreviewAndNoIcon":0.001,"Tests\\Core\\Controller\\PreviewControllerTest::testForbiddenFile":0,"Tests\\Core\\Controller\\PreviewControllerTest::testNoPreview":0,"Tests\\Core\\Controller\\PreviewControllerTest::testValidPreview":0,"Tests\\Core\\Controller\\SvgControllerTest::testGetSvgFromCoreNotFound":0.001,"Tests\\Core\\Controller\\SvgControllerTest::testGetSvgFromCore with data set \"mixed\"":0,"Tests\\Core\\Controller\\SvgControllerTest::testGetSvgFromCore with data set \"black rect\"":0,"Tests\\Core\\Controller\\SvgControllerTest::testGetSvgFromAppNotFound":0,"Tests\\Core\\Controller\\SvgControllerTest::testGetSvgFromApp with data set \"settings admin\"":0,"Tests\\Core\\Controller\\SvgControllerTest::testGetSvgFromApp with data set \"files app\"":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSelectChallenge":0.002,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testShowChallenge":0.003,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testShowInvalidChallenge":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSolveChallenge":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSolveValidChallengeAndRedirect":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSolveChallengeInvalidProvider":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSolveInvalidChallenge":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSolveChallengeTwoFactorException":0.001,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSetUpProviders":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSetUpInvalidProvider":0,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testSetUpProvider":0.001,"Test\\Core\\Controller\\TwoFactorChallengeControllerTest::testConfirmProviderSetup":0,"Test\\Core\\Controller\\UserControllerTest::testGetDisplayNames":0,"Tests\\Core\\Controller\\WellKnownControllerTest::testHandleNotProcessed":0.001,"Tests\\Core\\Controller\\WellKnownControllerTest::testHandle":0.001,"Tests\\Core\\Controller\\WipeControllerTest::testCheckWipe with data set #0":0.001,"Tests\\Core\\Controller\\WipeControllerTest::testCheckWipe with data set #1":0,"Tests\\Core\\Controller\\WipeControllerTest::testCheckWipe with data set #2":0,"Tests\\Core\\Controller\\WipeControllerTest::testCheckWipe with data set #3":0,"Tests\\Core\\Controller\\WipeControllerTest::testWipeDone with data set #0":0,"Tests\\Core\\Controller\\WipeControllerTest::testWipeDone with data set #1":0,"Tests\\Core\\Controller\\WipeControllerTest::testWipeDone with data set #2":0,"Tests\\Core\\Controller\\WipeControllerTest::testWipeDone with data set #3":0,"Tests\\Core\\Data\\LoginFlowV2CredentialsTest::testImplementsJsonSerializable":0,"Tests\\Core\\Data\\LoginFlowV2CredentialsTest::testGetter":0,"Tests\\Core\\Data\\LoginFlowV2CredentialsTest::testJsonSerialize":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testBeforeControllerNotLoggedIn":0.002,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testBeforeSetupController":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testBeforeControllerNoTwoFactorCheckNeeded":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testBeforeControllerTwoFactorAuthRequired":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testBeforeControllerUserAlreadyLoggedIn":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testAfterExceptionTwoFactorAuthRequired":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testAfterException":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testRequires2FASetupDoneAnnotated":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testRequires2FASetupDone with data set #0":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testRequires2FASetupDone with data set #1":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testRequires2FASetupDone with data set #2":0,"Test\\Core\\Middleware\\TwoFactorMiddlewareTest::testRequires2FASetupDone with data set #3":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollApptokenCouldNotBeDecrypted":0.002,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollInvalidToken":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollTokenNotYetReady":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testPollRemoveDataFromDb":0.004,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testGetByLoginToken":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testGetByLoginTokenLoginTokenInvalid":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testStartLoginFlow":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testStartLoginFlowDoesNotExistException":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testStartLoginFlowException":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testFlowDone":0.004,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testFlowDoneDoesNotExistException":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testFlowDonePasswordlessTokenException":0,"Tests\\Core\\Data\\LoginFlowV2ServiceUnitTest::testCreateTokens":0.086,"Test\\Repair\\Owncloud\\CleanPreviewsBackgroundJobTest::testCleanupPreviewsUnfinished":0.002,"Test\\Repair\\Owncloud\\CleanPreviewsBackgroundJobTest::testCleanupPreviewsFinished":0,"Test\\Repair\\Owncloud\\CleanPreviewsBackgroundJobTest::testNoUserFolder":0,"Test\\Repair\\Owncloud\\CleanPreviewsBackgroundJobTest::testNoThumbnailFolder":0,"Test\\Repair\\Owncloud\\CleanPreviewsBackgroundJobTest::testNotPermittedToDelete":0,"Test\\Repair\\Owncloud\\CleanPreviewsTest::testGetName":0.001,"Test\\Repair\\Owncloud\\CleanPreviewsTest::testRun":0.001,"Test\\Repair\\Owncloud\\CleanPreviewsTest::testRunAlreadyDoone":0,"Test\\Repair\\Owncloud\\InstallCoreBundleTest::testGetName":0.001,"Test\\Repair\\Owncloud\\InstallCoreBundleTest::testRunOlder":0,"Test\\Repair\\Owncloud\\InstallCoreBundleTest::testRunWithException":0.001,"Test\\Repair\\Owncloud\\InstallCoreBundleTest::testRun":0,"Test\\Repair\\Owncloud\\UpdateLanguageCodesTest::testRun":0.003,"Test\\Repair\\Owncloud\\UpdateLanguageCodesTest::testSecondRun":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testImplementsInterface with data set #0":0.006,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testImplementsInterface with data set #1":0.001,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetIdentifier with data set #0":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetIdentifier with data set #1":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetName with data set #0":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetName with data set #1":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetPriority with data set #0":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetPriority with data set #1":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetIcon with data set #0":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testGetIcon with data set #1":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testFilterTypes with data set #0":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testFilterTypes with data set #1":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testAllowedApps with data set #0":0,"OCA\\Files\\Tests\\Activity\\Filter\\GenericTest::testAllowedApps with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testImplementsInterface with data set #0":0.001,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testImplementsInterface with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testImplementsInterface with data set #2":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetIdentifier with data set #0":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetIdentifier with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetIdentifier with data set #2":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetName with data set #0":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetName with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetName with data set #2":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetPriority with data set #0":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetPriority with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testGetPriority with data set #2":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testCanChangeStream with data set #0":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testCanChangeStream with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testCanChangeStream with data set #2":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testIsDefaultEnabledStream with data set #0":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testIsDefaultEnabledStream with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testIsDefaultEnabledStream with data set #2":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testCanChangeMail with data set #0":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testCanChangeMail with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testCanChangeMail with data set #2":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testIsDefaultEnabledMail with data set #0":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testIsDefaultEnabledMail with data set #1":0,"OCA\\Files\\Tests\\Activity\\Setting\\GenericTest::testIsDefaultEnabledMail with data set #2":0,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetFile with data set #0":0.003,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetFile with data set #1":0,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetFile with data set #2":0,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetFileThrows":0,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetUser with data set #0":0,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetUser with data set #1":0,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetUser with data set #2":0,"OCA\\Files\\Tests\\Activity\\ProviderTest::testGetUser with data set #3":0,"OCA\\Files\\Tests\\BackgroundJob\\DeleteOrphanedItemsJobTest::testClearSystemTagMappings":0.001,"OCA\\Files\\Tests\\BackgroundJob\\DeleteOrphanedItemsJobTest::testClearUserTagMappings":0.001,"OCA\\Files\\Tests\\BackgroundJob\\DeleteOrphanedItemsJobTest::testClearComments":0.001,"OCA\\Files\\Tests\\BackgroundJob\\DeleteOrphanedItemsJobTest::testClearCommentReadMarks":0.001,"OCA\\Files\\Tests\\BackgroundJob\\ScanFilesTest::testAllScanned":0.004,"OCA\\Files\\Tests\\BackgroundJob\\ScanFilesTest::testUnscanned":0.004,"OCA\\Files\\Tests\\Command\\DeleteOrphanedFilesTest::testClearFiles":0.259,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateFileTagsEmpty":0.004,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateFileTagsWorking":0.001,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateFileTagsNotFoundException":0.001,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateFileTagsStorageNotAvailableException":0.001,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateFileTagsStorageGenericException":0,"OCA\\Files\\Controller\\ApiControllerTest::testGetThumbnailInvalidSize":0,"OCA\\Files\\Controller\\ApiControllerTest::testGetThumbnailInvalidImage":0.001,"OCA\\Files\\Controller\\ApiControllerTest::testGetThumbnail":0,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateFileSorting":0,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateInvalidFileSorting with data set #0":0,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateInvalidFileSorting with data set #1":0,"OCA\\Files\\Controller\\ApiControllerTest::testUpdateInvalidFileSorting with data set #2":0,"OCA\\Files\\Controller\\ApiControllerTest::testShowHiddenFiles":0,"OCA\\Files\\Controller\\ApiControllerTest::testCropImagePreviews":0,"OCA\\Files\\Tests\\Controller\\ViewControllerTest::testIndexWithRegularBrowser":0.007,"OCA\\Files\\Tests\\Controller\\ViewControllerTest::testShowFileRouteWithFolder":0.001,"OCA\\Files\\Tests\\Controller\\ViewControllerTest::testShowFileRouteWithFile":0.001,"OCA\\Files\\Tests\\Controller\\ViewControllerTest::testShowFileRouteWithInvalidFileId":0,"OCA\\Files\\Tests\\Controller\\ViewControllerTest::testShowFileRouteWithTrashedFile":0.001,"OCA\\Files\\Tests\\Service\\TagServiceTest::testUpdateFileTags":0.188,"OCA\\Files\\Tests\\Service\\TagServiceTest::testFavoriteActivity":0.145,"HelperTest::testSortByName with data set #0":0.001,"HelperTest::testSortByName with data set #1":0,"HelperTest::testSortByName with data set #2":0,"HelperTest::testSortByName with data set #3":0,"HelperTest::testSortByName with data set #4":0,"HelperTest::testSortByName with data set #5":0,"HelperTest::testPopulateTags":0.001,"OCA\\AdminAudit\\Tests\\Actions\\SecurityTest::testTwofactorFailed":0.001,"OCA\\AdminAudit\\Tests\\Actions\\SecurityTest::testTwofactorSuccess":0,"OCA\\ContactsInteraction\\Tests\\Db\\RecentContactMapperTest::testCreateRecentContact":0.001,"OCA\\ContactsInteraction\\Tests\\Db\\RecentContactMapperTest::testFindAll":0.001,"OCA\\ContactsInteraction\\Tests\\Db\\RecentContactMapperTest::testFindMatchByEmail":0.001,"OCA\\ContactsInteraction\\Tests\\Db\\RecentContactMapperTest::testFindMatchByFederatedCloudId":0.001,"OCA\\ContactsInteraction\\Tests\\Db\\RecentContactMapperTest::testCleanUp":0.001,"OCA\\DAV\\Tests\\unit\\AppInfo\\ApplicationTest::test":0.001,"OCA\\DAV\\Tests\\unit\\AppInfo\\PluginManagerTest::test":0.009,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testForbiddenMethods with data set #0":0.002,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testForbiddenMethods with data set #1":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testForbiddenMethods with data set #2":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testForbiddenMethods with data set #3":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetName":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetChild with data set #0":0.001,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetChild with data set #1":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetChild with data set #2":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetChild with data set #3":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetChild with data set #4":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetChildren":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testChildExists with data set #0":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testChildExists with data set #1":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testChildExists with data set #2":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testChildExists with data set #3":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testChildExists with data set #4":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarHomeTest::testGetLastModified":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarNodeTest::testGetName":0,"OCA\\DAV\\Tests\\Unit\\Avatars\\AvatarNodeTest::testGetContentType":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\CleanupInvitationTokenJobTest::testRun":0.003,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #0":0.003,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #1":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #2":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\EventReminderJobTest::testRun with data set #3":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\GenerateBirthdayCalendarBackgroundJobTest::testRun":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\GenerateBirthdayCalendarBackgroundJobTest::testRunAndReset":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\GenerateBirthdayCalendarBackgroundJobTest::testRunGloballyDisabled":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\GenerateBirthdayCalendarBackgroundJobTest::testRunUserDisabled":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalJobTest::testRun with data set #0":0.004,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalJobTest::testRun with data set #1":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RegisterRegenerateBirthdayCalendarsTest::testRun":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\UpdateCalendarResourcesRoomsBackgroundJobTest::testRun":0.006,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\CalendarTest::testGetIcon":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\CalendarTest::testFilterTypes with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\CalendarTest::testFilterTypes with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\CalendarTest::testFilterTypes with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\CalendarTest::testFilterTypes with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testImplementsInterface with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testImplementsInterface with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetIdentifier with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetIdentifier with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetName with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetName with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetPriority with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetPriority with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetIcon with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testGetIcon with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testFilterTypes with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testFilterTypes with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testAllowedApps with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\GenericTest::testAllowedApps with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\TodoTest::testGetIcon":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\TodoTest::testFilterTypes with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\TodoTest::testFilterTypes with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\TodoTest::testFilterTypes with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Filter\\TodoTest::testFilterTypes with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testSetSubjects with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testSetSubjects with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateCalendarParameter with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateCalendarParameter with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateCalendarParameter with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateCalendarParameter with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateLegacyCalendarParameter with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateLegacyCalendarParameter with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateGroupParameter with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateGroupParameter with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateUserParameter with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\BaseTest::testGenerateUserParameter with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\EventTest::testGenerateObjectParameter with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\EventTest::testGenerateObjectParameter with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\EventTest::testGenerateObjectParameter with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\EventTest::testGenerateObjectParameterThrows with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\EventTest::testGenerateObjectParameterThrows with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Provider\\EventTest::testGenerateObjectParameterThrows with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testImplementsInterface with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testImplementsInterface with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testImplementsInterface with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetIdentifier with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetIdentifier with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetIdentifier with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetName with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetName with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetName with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetPriority with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetPriority with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testGetPriority with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testCanChangeStream with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testCanChangeStream with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testCanChangeStream with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testIsDefaultEnabledStream with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testIsDefaultEnabledStream with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testIsDefaultEnabledStream with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testCanChangeMail with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testCanChangeMail with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testCanChangeMail with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testIsDefaultEnabledMail with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testIsDefaultEnabledMail with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\Setting\\GenericTest::testIsDefaultEnabledMail with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testCallTriggerCalendarActivity with data set #0":0.003,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testCallTriggerCalendarActivity with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testCallTriggerCalendarActivity with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testCallTriggerCalendarActivity with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #1":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #4":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #5":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #6":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #7":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #8":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #9":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #10":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #11":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #12":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #13":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testTriggerCalendarActivity with data set #14":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testGetUsersForShares with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testGetUsersForShares with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testGetUsersForShares with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testGetUsersForShares with data set #3":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\BirthdayCalendar\\EnablePluginTest::testGetFeatures":0.008,"OCA\\DAV\\Tests\\unit\\CalDAV\\BirthdayCalendar\\EnablePluginTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\BirthdayCalendar\\EnablePluginTest::testInitialize":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\BirthdayCalendar\\EnablePluginTest::testHttpPostNoCalendarHome":0.003,"OCA\\DAV\\Tests\\unit\\CalDAV\\BirthdayCalendar\\EnablePluginTest::testHttpPostWrongRequest":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\BirthdayCalendar\\EnablePluginTest::testHttpPost":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Publishing\\PublisherTest::testSerializePublished":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Publishing\\PublisherTest::testSerializeNotPublished":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Publishing\\PluginTest::testPublishing":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\Publishing\\PluginTest::testUnPublishing":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\AudioProviderTest::testNotificationType":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\AudioProviderTest::testNotSend":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\AudioProviderTest::testSend":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\PushProviderTest::testNotificationType":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\PushProviderTest::testNotSend":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\PushProviderTest::testSend":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\EmailProviderTest::testSendWithoutAttendees":0.012,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProvider\\EmailProviderTest::testSendWithAttendees":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\BackendTest::testCleanRemindersForEvent":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\BackendTest::testCleanRemindersForCalendar":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\BackendTest::testRemoveReminder":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\BackendTest::testGetRemindersToProcess":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\BackendTest::testGetAllScheduledRemindersForEvent":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\BackendTest::testInsertReminder":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\BackendTest::testUpdateReminder":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProviderManagerTest::testGetProviderForUnknownType":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProviderManagerTest::testGetProviderForUnRegisteredType":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProviderManagerTest::testGetProvider":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProviderManagerTest::testRegisterProvider":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProviderManagerTest::testRegisterBadProvider":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotificationProviderManagerTest::testHasProvider":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotifierTest::testGetId":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotifierTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotifierTest::testPrepareWrongApp":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotifierTest::testPrepareWrongSubject":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotifierTest::testPrepare with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotifierTest::testPrepare with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\NotifierTest::testPassedEvent":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testOnCalendarObjectDelete":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testOnCalendarObjectCreateSingleEntry":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testOnCalendarObjectCreateSingleEntryWithRepeat":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testOnCalendarObjectCreateRecurringEntry":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testOnCalendarObjectCreateEmpty":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testOnCalendarObjectCreateRecurringEntryWithRepeat":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Reminder\\ReminderServiceTest::testProcessReminders":0.003,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetPrincipalsByPrefix":0.003,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetNoPrincipalsByPrefixForWrongPrincipalPrefix":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetPrincipalByPath":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetPrincipalByPathNotFound":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetPrincipalByPathWrongPrefix":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetGroupMemberSet":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetGroupMemberSetProxyRead":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetGroupMemberSetProxyWrite":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testGetGroupMembership":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSetGroupMemberSet":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testUpdatePrincipal":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSearchPrincipals with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSearchPrincipals with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSearchPrincipalsByMetadataKey":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSearchPrincipalsByCalendarUserAddressSet":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSearchPrincipalsEmptySearchProperties":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testSearchPrincipalsWrongPrincipalPrefix":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testFindByUriByEmail":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testFindByUriByEmailForbiddenResource":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testFindByUriByEmailNotFound":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testFindByUriByPrincipal":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testFindByUriByPrincipalForbiddenResource":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testFindByUriByPrincipalNotFound":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\ResourcePrincipalBackendTest::testFindByUriByUnknownUri":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetPrincipalsByPrefix":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetNoPrincipalsByPrefixForWrongPrincipalPrefix":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetPrincipalByPath":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetPrincipalByPathNotFound":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetPrincipalByPathWrongPrefix":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetGroupMemberSet":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetGroupMemberSetProxyRead":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetGroupMemberSetProxyWrite":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testGetGroupMembership":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSetGroupMemberSet":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testUpdatePrincipal":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSearchPrincipals with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSearchPrincipals with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSearchPrincipalsByMetadataKey":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSearchPrincipalsByCalendarUserAddressSet":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSearchPrincipalsEmptySearchProperties":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testSearchPrincipalsWrongPrincipalPrefix":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testFindByUriByEmail":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testFindByUriByEmailForbiddenResource":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testFindByUriByEmailNotFound":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testFindByUriByPrincipal":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testFindByUriByPrincipalForbiddenResource":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testFindByUriByPrincipalNotFound":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\ResourceBooking\\RoomPrincipalBackendTest::testFindByUriByUnknownUri":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testDelivery":0.004,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testFailedDelivery":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testInvalidEmailDelivery":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testDeliveryWithNoCommonName":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #4":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #5":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #6":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #7":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #8":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testNoMessageSendForPastEvents with data set #9":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #3":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #4":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #5":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testIncludeResponseButtons with data set #6":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\IMipPluginTest::testMessageSendWhenEventWithoutName":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testInitialize":0.004,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testGetAddressesForPrincipal":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testGetAddressesForPrincipalEmpty":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testStripOffMailTo":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testGetAttendeeRSVP":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #4":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #5":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #6":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #7":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testFoo":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testNoLimitOffset":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testRequiresCompFilter":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testRequiresFilter":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testNoSearchTerm":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testCompOnly":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testPropOnly":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\Xml\\Request\\CalendarSearchReportTest::testParamOnly":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testGetFeatures":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testInitialize":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testReportUnknown":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testReport":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testSupportedReportSetNoCalendarHome":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Search\\SearchPluginTest::testSupportedReportSet":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRun with data set #0":0.01,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRun with data set #1":0.002,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRun with data set #2":0.003,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunCreateCalendarNoException with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunCreateCalendarNoException with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunCreateCalendarNoException with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunCreateCalendarBadRequest with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunCreateCalendarBadRequest with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunCreateCalendarBadRequest with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #1":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #2":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #3":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #4":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #5":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #6":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #7":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #8":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #9":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #10":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #11":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #12":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testRunLocalURL with data set #13":0,"OCA\\DAV\\Tests\\unit\\BackgroundJob\\RefreshWebcalServiceTest::testInvalidUrl":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\PluginTest::testDisabled":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\PluginTest::testEnabled":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionObjectTest::testGet":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionObjectTest::testPut":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionObjectTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetACL":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetChildACL":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetOwner":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testPropPatch":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetChild":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetChildren":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testGetMultipleChildren":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testCreateFile":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testChildExists":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CachedSubscriptionTest::testCalendarQuery":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testGetKey":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testGetDisplayname":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testGetDisplayColor":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testSearch":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testGetPermissionRead":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testGetPermissionWrite":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testGetPermissionReadWrite":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarImplTest::testGetPermissionAll":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\OutboxTest::testGetACLFreeBusyEnabled":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\OutboxTest::testGetACLFreeBusyDisabled":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PluginTest::testGetCalendarHomeForPrincipal with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PluginTest::testGetCalendarHomeForPrincipal with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PluginTest::testGetCalendarHomeForPrincipal with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PluginTest::testGetCalendarHomeForUnknownPrincipal":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarOperations":0.006,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarSharing with data set #0":0.009,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarSharing with data set #1":0.007,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarSharing with data set #2":0.051,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarSharing with data set #3":0.006,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarObjectsOperations":0.008,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testMultipleCalendarObjectsWithSameUID":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testMultiCalendarObjects":0.01,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarQuery with data set \"all\"":0.009,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarQuery with data set \"only-todos\"":0.011,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarQuery with data set \"only-events\"":0.009,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarQuery with data set \"start\"":0.009,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarQuery with data set \"end\"":0.009,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarQuery with data set \"future\"":0.009,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetCalendarObjectByUID":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testSyncSupport":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testPublications":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testSubscriptions":0.004,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testScheduling with data set \"no data\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testScheduling with data set \"failing on postgres\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"first occurrence before unix epoch starts\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"no first occurrence because yearly\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"last occurrence is max when only last VEVENT in group is weekly\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"first occurrence is found when not first VEVENT in group\"":0.003,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"CLASS:PRIVATE\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"CLASS:PUBLIC\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"CLASS:CONFIDENTIAL\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"no class set -> public\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testGetDenormalizedData with data set \"unknown class -> private\"":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarSearch":0.009,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testSearch with data set #0":0.01,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testSearch with data set #1":0.011,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testSearch with data set #2":0.01,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testSameUriSameIdForDifferentCalendarTypes":0.008,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testPurgeAllCachedEventsForSubscription":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testCalendarMovement":0.004,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalDavBackendTest::testSearchPrincipal":0.018,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testCreateCalendarValidName":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testCreateCalendarReservedName":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testCreateCalendarReservedNameAppGenerated":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testGetChildren":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testGetChildNonAppGenerated":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarHomeTest::testGetChildAppGenerated":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarManagerTest::testSetupCalendarProvider":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testDelete":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testDeleteFromGroup":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testDeleteOwn":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testDeleteBirthdayCalendar":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #4":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #5":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #6":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPropPatch with data set #7":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testAcl with data set \"read-only property not set\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testAcl with data set \"read-only property is false\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testAcl with data set \"read-only property is true\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testAcl with data set \"read-only property not set and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testAcl with data set \"read-only property is false and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testAcl with data set \"read-only property is true and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testAcl with data set \"birthday calendar\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPrivateClassification with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testPrivateClassification with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testConfidentialClassification with data set #0":0.011,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testConfidentialClassification with data set #1":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\CalendarTest::testRemoveVAlarms":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarRootTest::testGetName":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarRootTest::testGetChild":0.004,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarRootTest::testGetChildren":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPrivateClassification with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPrivateClassification with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testConfidentialClassification with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testConfidentialClassification with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testDeleteFromGroup":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testDeleteOwn":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testDeleteBirthdayCalendar":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #4":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #5":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #6":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testPropPatch with data set #7":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testAcl with data set \"read-only property not set\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testAcl with data set \"read-only property is false\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testAcl with data set \"read-only property is true\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testAcl with data set \"read-only property not set and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testAcl with data set \"read-only property is false and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testAcl with data set \"read-only property is true and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testAcl with data set \"birthday calendar\"":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\PublicCalendarTest::testRemoveVAlarms":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\Sharing\\PluginTest::testSharing":0.003,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetKey":0.01,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetDisplayName":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testSearch":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testCreate with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testCreate with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testCreate with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testUpdate":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testUpdateWithTypes":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #3":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #4":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #5":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #6":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #7":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testGetPermissions with data set #8":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testReadCard":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testCreateUid":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testCreateEmptyVCard":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testVCard2Array":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testVCard2ArrayWithTypes":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testIsSystemAddressBook":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testIsShared":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookImplTest::testIsNotShared":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testDeleteFromGroup":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testPropPatch":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testAcl with data set \"read-only property not set\"":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testAcl with data set \"read-only property is false\"":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testAcl with data set \"read-only property is true\"":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testAcl with data set \"read-only property not set and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testAcl with data set \"read-only property is false and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\AddressBookTest::testAcl with data set \"read-only property is true and no owner\"":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #1":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #3":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #4":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #5":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #6":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #7":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #8":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #9":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #10":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #11":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #12":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #13":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #14":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #15":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #16":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #17":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #18":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #19":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #20":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #21":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardDeleteGloballyDisabled":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardDeleteUserDisabled":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardDeleted":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardChangedGloballyDisabled":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardChangedUserDisabled":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardChanged with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardChanged with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testOnCardChanged with data set #2":0.01,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBirthdayEvenChanged with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBirthdayEvenChanged with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBirthdayEvenChanged with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBirthdayEvenChanged with data set #3":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testGetAllAffectedPrincipals":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBirthdayCalendarHasComponentEvent":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testResetForUser":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ContactsManagerTest::test":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testCreation with data set #0":0.005,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testCreation with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testCreation with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testCreation with data set #3":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testCreation with data set #4":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testCreation with data set #5":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testNameSplitter with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testNameSplitter with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ConverterTest::testNameSplitter with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testQueryParams with data set #0":0.003,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testQueryParams with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testQueryParams with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testNoCard":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\ImageExportPluginTest::testCard with data set #3":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testEmptySync":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testSyncWithNewElement":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testSyncWithUpdatedElement":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testSyncWithDeletedElement":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testEnsureSystemAddressBookExists":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testUpdateAndDeleteUser with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\SyncServiceTest::testUpdateAndDeleteUser with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testAddressBookOperations":0.004,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testAddressBookSharing":0.003,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testCardOperations":0.006,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testMultiCard":0.006,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testMultipleUIDOnDifferentAddressbooks":0.004,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testMultipleUIDDenied":0.003,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testNoValidUID":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testDeleteWithoutCard":0.003,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSyncSupport":0.003,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSharing":0.004,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testUpdateProperties":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testPurgeProperties":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testGetCardId":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testGetCardIdFailed":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set #1":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set #2":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set \"check if duplicates are handled correctly\"":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set \"case insensitive\"":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set \"limit\"":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set \"limit and offset\"":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testSearch with data set \"find not empty CLOUD\"":0.002,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testGetCardUri":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testGetCardUriFailed":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testGetContact":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testGetContactFail":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\CardDavBackendTest::testCollectCardProperties":0.001,"OCA\\DAV\\Tests\\Command\\ListCalendarsTest::testWithBadUser":0.001,"OCA\\DAV\\Tests\\Command\\ListCalendarsTest::testWithCorrectUserWithNoCalendars":0.001,"OCA\\DAV\\Tests\\Command\\ListCalendarsTest::testWithCorrectUser with data set #0":0.004,"OCA\\DAV\\Tests\\Command\\ListCalendarsTest::testWithCorrectUser with data set #1":0,"OCA\\DAV\\Tests\\Unit\\Command\\RemoveInvalidSharesTest::test":0.001,"OCA\\DAV\\Tests\\Command\\DeleteCalendarTest::testInvalidUser":0.011,"OCA\\DAV\\Tests\\Command\\DeleteCalendarTest::testNoCalendarName":0,"OCA\\DAV\\Tests\\Command\\DeleteCalendarTest::testInvalidCalendar":0,"OCA\\DAV\\Tests\\Command\\DeleteCalendarTest::testDelete":0,"OCA\\DAV\\Tests\\Command\\DeleteCalendarTest::testForceDelete":0,"OCA\\DAV\\Tests\\Command\\DeleteCalendarTest::testDeleteBirthday":0,"OCA\\DAV\\Tests\\Command\\DeleteCalendarTest::testBirthdayHasPrecedence":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testWithBadUserOrigin with data set #0":0.071,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testWithBadUserOrigin with data set #1":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithInexistantCalendar":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithExistingDestinationCalendar":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMove":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationNotPartOfGroup with data set #0":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationNotPartOfGroup with data set #1":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationPartOfGroup":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithDestinationNotPartOfGroupAndForce":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithCalendarAlreadySharedToDestination with data set #0":0,"OCA\\DAV\\Tests\\Command\\MoveCalendarTest::testMoveWithCalendarAlreadySharedToDestination with data set #1":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testCreateComment":0.016,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testCreateCommentInvalidObject":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testCreateCommentInvalidActor":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testCreateCommentUnsupportedMediaType":0.001,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testCreateCommentInvalidPayload":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testCreateCommentMessageTooLong":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testOnReportInvalidNode":0.001,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testOnReportInvalidReportName":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testOnReportDateTimeEmpty":0.001,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsPluginTest::testOnReport":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityCollectionTest::testGetId":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityCollectionTest::testGetChild":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityCollectionTest::testGetChildException":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityCollectionTest::testGetChildren":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityCollectionTest::testFindChildren":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityCollectionTest::testChildExistsTrue":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityCollectionTest::testChildExistsFalse":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityTypeCollectionTest::testChildExistsYes":0.001,"OCA\\DAV\\Tests\\unit\\Comments\\EntityTypeCollectionTest::testChildExistsNo":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityTypeCollectionTest::testGetChild":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityTypeCollectionTest::testGetChildException":0,"OCA\\DAV\\Tests\\unit\\Comments\\EntityTypeCollectionTest::testGetChildren":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testDelete":0.01,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testDeleteForbidden":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testSetName":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testGetLastModified":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testUpdateComment":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testUpdateCommentLogException":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testUpdateCommentMessageTooLongException":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testUpdateForbiddenByUser":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testUpdateForbiddenByType":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testUpdateForbiddenByNotLoggedIn":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testPropPatch":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testGetProperties":0.001,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testGetPropertiesUnreadProperty with data set #0":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testGetPropertiesUnreadProperty with data set #1":0,"OCA\\DAV\\Tests\\unit\\Comments\\CommentsNodeTest::testGetPropertiesUnreadProperty with data set #2":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testCreateFile":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testCreateDirectory":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testGetChild":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testGetChildInvalid":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testGetChildNoAuth":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testGetChildren":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testGetChildrenNoAuth":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testChildExistsYes":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testChildExistsNo":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testChildExistsNoAuth":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testSetName":0,"OCA\\DAV\\Tests\\unit\\Comments\\RootCollectionTest::testGetLastModified":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\Exception\\ForbiddenTest::testSerialization":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\Exception\\InvalidPathTest::testSerialization":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DeleteTest::testBasicUpload":0.033,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DownloadTest::testDownload":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DownloadTest::testDownloadWriteLocked":0.012,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\DownloadTest::testDownloadReadLocked":0.012,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testBasicUpload":1.739,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testUploadOverWrite":0.775,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testUploadOverWriteReadLocked":0.403,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testUploadOverWriteWriteLocked":0.582,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUpload":1.087,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOverWrite":0.765,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOutOfOrder":1.024,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOutOfOrderReadLocked":0.43,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionMasterKeyUploadTest::testChunkedUploadOutOfOrderWriteLocked":0.897,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testBasicUpload":0.012,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testUploadOverWrite":0.012,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testUploadOverWriteReadLocked":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testUploadOverWriteWriteLocked":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUpload":0.017,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOverWrite":0.02,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOutOfOrder":0.019,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOutOfOrderReadLocked":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\UploadTest::testChunkedUploadOutOfOrderWriteLocked":0.014,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testBasicUpload":1.85,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testUploadOverWrite":0.67,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testUploadOverWriteReadLocked":0.59,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testUploadOverWriteWriteLocked":0.433,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUpload":0.348,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOverWrite":0.758,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOutOfOrder":0.562,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOutOfOrderReadLocked":0.843,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\EncryptionUploadTest::testChunkedUploadOutOfOrderWriteLocked":0.323,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testBasicUpload":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testUploadOverWrite":0.014,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testUploadOverWriteReadLocked":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testUploadOverWriteWriteLocked":0.012,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUpload":0.031,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOverWrite":0.017,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOutOfOrder":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOutOfOrderReadLocked":0.014,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\RequestTest\\PartFileInRootUploadTest::testChunkedUploadOutOfOrderWriteLocked":0.015,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testIsDavAuthenticatedWithoutDavSession":0.004,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testIsDavAuthenticatedWithWrongDavSession":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testIsDavAuthenticatedWithCorrectDavSession":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testValidateUserPassOfAlreadyDAVAuthenticatedUser":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testValidateUserPassOfInvalidDAVAuthenticatedUser":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testValidateUserPassOfInvalidDAVAuthenticatedUserWithValidPassword":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testValidateUserPassWithInvalidPassword":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testValidateUserPassWithPasswordLoginForbidden":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateAlreadyLoggedInWithoutCsrfTokenForNonGet":0.004,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateAlreadyLoggedInWithoutCsrfTokenAndCorrectlyDavAuthenticated":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateAlreadyLoggedInWithoutTwoFactorChallengePassed":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateAlreadyLoggedInWithoutCsrfTokenAndIncorrectlyDavAuthenticated":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateAlreadyLoggedInWithoutCsrfTokenForNonGetAndDesktopClient":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateAlreadyLoggedInWithoutCsrfTokenForGet":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateAlreadyLoggedInWithCsrfTokenForGet":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateNoBasicAuthenticateHeadersProvided":0.006,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateNoBasicAuthenticateHeadersProvidedWithAjax":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateNoBasicAuthenticateHeadersProvidedWithAjaxButUserIsStillLoggedIn":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateValidCredentials":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\AuthTest::testAuthenticateInvalidCredentials":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BearerAuthTest::testValidateBearerTokenNotLoggedIn":0.003,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BearerAuthTest::testValidateBearerToken":0.034,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BearerAuthTest::testChallenge":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerException with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerException with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerException with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerException with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerException with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerSuccess with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerSuccess with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerSuccess with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerSuccess with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerSuccess with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\BlockLegacyClientPluginTest::testBeforeHandlerNoUserAgent":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testHandleGetProperties with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testHandleGetProperties with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testHandleGetProperties with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testGetCommentsLink with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testGetCommentsLink with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testGetCommentsLink with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testGetUnreadCount with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CommentsPropertiesPluginTest::testGetUnreadCount with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CopyEtagHeaderPluginTest::testCopyEtag":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CopyEtagHeaderPluginTest::testNoopWhenEmpty":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CopyEtagHeaderPluginTest::testAfterMoveNodeNotFound":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CopyEtagHeaderPluginTest::testAfterMove":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CustomPropertiesBackendTest::testPropFindMissingFileSoftFail":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CustomPropertiesBackendTest::testSetGetPropertiesForFile":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CustomPropertiesBackendTest::testGetPropertiesForDirectory":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\CustomPropertiesBackendTest::testDeleteProperty":0.001,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testDeleteRootFolderFails":0.007,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testDeleteForbidden":0.001,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testDeleteFolderWhenAllowed":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testDeleteFolderFailsWhenNotAllowed":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testDeleteFolderThrowsWhenDeletionFailed":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetChildren":0.003,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetChildrenNoPermission":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetChildNoPermission":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetChildThrowStorageNotAvailableException":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetChildThrowInvalidPath":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetQuotaInfoUnlimited":0.006,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testGetQuotaInfoSpecific":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveFailed with data set #0":0.001,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveFailed with data set #1":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveFailed with data set #2":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveFailed with data set #3":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveFailed with data set #4":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveFailed with data set #5":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveSuccess with data set #0":0.001,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveSuccess with data set #1":0,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testMoveFailedInvalidChars with data set #0":0.001,"OCA\\DAV\\Tests\\Unit\\Connector\\Sabre\\DirectoryTest::testFailingMove":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\DummyGetResponsePluginTest::testInitialize":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\DummyGetResponsePluginTest::testHttpGet":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ExceptionLoggerPluginTest::testLogging with data set #0":0.003,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ExceptionLoggerPluginTest::testLogging with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ExceptionLoggerPluginTest::testLogging with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ExceptionLoggerPluginTest::testLogging with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testInitialize":0.004,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testGetHTTPMethods":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testGetFeatures":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testPropFind":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testValidateTokens with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testFakeLockProvider":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FakeLockerPluginTest::testFakeUnlockProvider":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\MaintenancePluginTest::testMaintenanceMode":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PropfindCompressionPluginTest::testNoHeader":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PropfindCompressionPluginTest::testHeaderButNoGzip":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PropfindCompressionPluginTest::testHeaderGzipButNoStringBody":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PropfindCompressionPluginTest::testProperGzip":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #0":0.003,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #7":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #8":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #9":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testLength with data set #10":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #7":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #8":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #9":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #10":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuota with data set #11":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckExceededQuota with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckExceededQuota with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckExceededQuota with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #5":0.014,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #7":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #8":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #9":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #10":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaOnPath with data set #11":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #7":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #8":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #9":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #10":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedOk with data set #11":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedFail with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedFail with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedFail with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedFail with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedFail with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\QuotaPluginTest::testCheckQuotaChunkedFail with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #0":0.003,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #1":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #3":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #4":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #5":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #6":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #7":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #8":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #9":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #10":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetProperties with data set #11":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #0":0.004,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #1":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #3":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #4":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #5":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #6":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #7":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #8":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #9":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #10":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testPreloadThenGetProperties with data set #11":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\SharesPluginTest::testGetPropertiesSkipChunks":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testGetProperties with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testGetProperties with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testGetProperties with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testGetProperties with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testGetProperties with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testPreloadThenGetProperties with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testPreloadThenGetProperties with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testPreloadThenGetProperties with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testPreloadThenGetProperties with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testPreloadThenGetProperties with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testGetPropertiesSkipChunks":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testUpdateTags":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testUpdateTagsFromScratch":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\TagsPluginTest::testUpdateFav":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #7":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #8":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #9":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testDavPermissions with data set #10":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #7":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #8":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #9":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #10":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #11":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #12":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #13":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #14":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #15":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #16":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #17":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #18":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #19":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #20":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #21":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #22":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #23":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #24":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #25":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #26":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #27":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #28":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #29":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #30":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #31":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #32":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #33":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSharePermissions with data set #34":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSanitizeMtime with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testSanitizeMtime with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testInvalidSanitizeMtime with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testInvalidSanitizeMtime with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testInvalidSanitizeMtime with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testInvalidSanitizeMtime with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testInvalidSanitizeMtime with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testInvalidSanitizeMtime with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testInvalidSanitizeMtime with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #0":0.066,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #1":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #2":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #3":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #4":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #5":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #6":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #7":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #8":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #9":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #10":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFails with data set #11":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #0":0.025,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #1":0.017,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #2":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #3":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #4":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #5":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #6":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #7":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #8":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #9":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #10":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFails with data set #11":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFile":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"string\"":0.012,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"castable string (int)\"":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"castable string (float)\"":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"float\"":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"zero\"":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"zero string\"":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"negative zero string\"":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"string starting with number following by char\"":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"string castable hex int\"":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"string that looks like invalid hex int\"":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"negative int\"":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileLegalMtime with data set \"negative float\"":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"string\"":0.018,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"castable string (int)\"":0.02,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"castable string (float)\"":0.019,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"float\"":0.019,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"zero\"":0.023,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"zero string\"":0.017,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"negative zero string\"":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"string starting with number following by char\"":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"string castable hex int\"":0.015,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"string that looks like invalid hex int\"":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"negative int\"":0.015,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutLegalMtime with data set \"negative float\"":0.015,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPut":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileTriggersHooks":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutOverwriteFileTriggersHooks":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileTriggersHooksDifferentRoot":0.011,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutChunkedFileTriggersHooks":0.016,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutOverwriteChunkedFileTriggersHooks":0.017,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutSingleFileCancelPreHook":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFailsSizeCheck":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutFailsMoveFromStorage":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testChunkedPutFailsFinalRename":0.012,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutInvalidChars":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSetNameInvalidChars":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testUploadAbort":0.009,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testDeleteWhenAllowed":0.009,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testDeleteThrowsWhenDeletionNotAllowed":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testDeleteThrowsWhenDeletionFailed":0.007,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testDeleteThrowsWhenDeletionThrows":0.007,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutLocking":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testGetFopenFails":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testGetFopenThrows":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testGetThrowsIfNoPermission":0.008,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testSimplePutNoCreatePermissions":0.021,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FileTest::testPutLockExpired":0.01,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testGetPropertiesForFile":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testGetPropertiesStorageNotAvailable":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testGetPublicPermissions":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testGetPropertiesForDirectory":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testGetPropertiesForRootDirectory":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testGetPropertiesWhenNoPermission":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testUpdateProps":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testUpdatePropsForbidden":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testMoveSrcNotDeletable":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testMoveSrcDeletable":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testMoveSrcNotExist":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testDownloadHeaders with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testDownloadHeaders with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesPluginTest::testHasPreview":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testOnReportInvalidNode":0.013,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testOnReportInvalidReportName":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testOnReport":0.007,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFindNodesByFileIdsRoot":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFindNodesByFileIdsSubDir":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testPrepareResponses":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesSingle":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesAndCondition":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesAndConditionWithOneEmptyResult":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesAndConditionWithFirstEmptyResult":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesAndConditionWithEmptyMidResult":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesInvisibleTagAsAdmin":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesInvisibleTagAsUser":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFilterRulesVisibleTagAsUser":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testProcessFavoriteFilter":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFilesBaseUri with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFilesBaseUri with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFilesBaseUri with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFilesBaseUri with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\FilesReportPluginTest::testFilesBaseUri with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testCopy with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testCopy with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testCopy with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testCopyFailNotCreatable with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testCopyFailNotCreatable with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testCopyFailNotCreatable with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #0":0.003,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #6":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPath with data set #7":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPathInvalidPath":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ObjectTreeTest::testGetNodeForPathRoot":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetPrincipalsByPrefixWithoutPrefix":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetPrincipalsByPrefixWithUsers":0.001,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetPrincipalsByPrefixEmpty":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetPrincipalsByPathWithoutMail":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetPrincipalsByPathWithMail":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetPrincipalsByPathEmpty":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetGroupMemberSet":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetGroupMemberSetEmpty":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetGroupMemberSetProxyRead":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetGroupMemberSetProxyWrite":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetGroupMembership":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testGetGroupMembershipEmpty":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSetGroupMembership":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSetGroupMembershipProxy":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testUpdatePrincipal":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalsWithEmptySearchProperties":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalsWithWrongPrefixPath":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #2":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #4":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipals with data set #5":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalByCalendarUserAddressSet":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationDisabledDisplayname":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationDisabledDisplaynameOnFullMatch":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationDisabledEmail":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationDisabledEmailOnFullMatch":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationLimitedDisplayname":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testSearchPrincipalWithEnumerationLimitedMail":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testFindByUriSharingApiDisabled":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testFindByUriWithGroupRestriction with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testFindByUriWithGroupRestriction with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testFindByUriWithoutGroupRestriction with data set #0":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\PrincipalTest::testFindByUriWithoutGroupRestriction with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testNoShare":0.025,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testShareNoPassword":0.002,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testSharePasswordFancyShareType":0,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testSharePasswordRemote":0,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testSharePasswordLinkValidPassword":0.004,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testSharePasswordMailValidPassword":0,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testSharePasswordLinkValidSession":0,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testSharePasswordLinkInvalidSession":0,"OCA\\DAV\\Tests\\unit\\Connector\\PublicAuthTest::testSharePasswordMailInvalidSession":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\BirthdayCalendarControllerTest::testEnable":0.003,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\BirthdayCalendarControllerTest::testDisable":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAccept with data set \"local attendee\"":0.003,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAccept with data set \"external attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptSequence with data set \"local attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptSequence with data set \"external attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptRecurrenceId with data set \"local attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptRecurrenceId with data set \"external attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptTokenNotFound":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testAcceptExpiredToken":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testDecline with data set \"local attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testDecline with data set \"external attendee\"":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testOptions":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testProcessMoreOptionsResult with data set \"local attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\InvitationResponseControllerTest::testProcessMoreOptionsResult with data set \"external attendee\"":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\DirectControllerTest::testGetUrlNonExistingFileId":0.004,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\DirectControllerTest::testGetUrlForFolder":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Controller\\DirectControllerTest::testGetUrlValid":0.002,"OCA\\DAV\\Tests\\unit\\DAV\\Sharing\\PluginTest::testSharing":0,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousOptionsRoot":0.003,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousOptionsNonRoot":0,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousOptionsNonRootSubDir":0,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousOptionsRootOffice":0.001,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousOptionsNonRootOffice":0,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousOptionsNonRootSubDirOffice":0,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousHead":0,"OCA\\DAV\\tests\\unit\\DAV\\AnonymousOptionsTest::testAnonymousHeadNoOffice":0,"OCA\\DAV\\Tests\\unit\\DAV\\BrowserErrorPagePluginTest::test with data set #0":0.002,"OCA\\DAV\\Tests\\unit\\DAV\\BrowserErrorPagePluginTest::test with data set #1":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testPropFindNoDbCalls":0.001,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testPropFindCalendarCall":0.001,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testPropPatch with data set #0":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testPropPatch with data set #1":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testPropPatch with data set #2":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testPropPatch with data set #3":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testDelete with data set #0":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testDelete with data set #1":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testMove with data set #0":0,"OCA\\DAV\\Tests\\DAV\\CustomPropertiesBackendTest::testMove with data set #1":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPrefixWithoutPrefix":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPrefixWithUsers":0.002,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPrefixEmpty":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPathWithoutMail":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPathWithMail":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPathEmpty":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPathGroupWithSlash":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetPrincipalsByPathGroupWithHash":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetGroupMemberSet":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testGetGroupMembership":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSetGroupMembership":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testUpdatePrincipal":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipalsWithEmptySearchProperties":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipalsWithWrongPrefixPath":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #0":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #1":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #2":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #3":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #4":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #5":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #6":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testSearchPrincipals with data set #7":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #0":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #1":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #2":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #3":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #4":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #5":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #6":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #7":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #8":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #9":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #10":0,"OCA\\DAV\\Tests\\unit\\DAV\\GroupPrincipalTest::testFindByUri with data set #11":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetPrincipalsByPrefix with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetPrincipalsByPrefix with data set #1":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetPrincipalByPath with data set #0":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetPrincipalByPath with data set #1":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetPrincipalByPath with data set #2":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetPrincipalByPath with data set #3":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetGroupMemberSetExceptional with data set #0":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetGroupMemberSetExceptional with data set #1":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetGroupMemberSet":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetGroupMembershipExceptional with data set #0":0,"OCA\\DAV\\Tests\\unit\\DAV\\SystemPrincipalBackendTest::testGetGroupMembership":0,"OCA\\DAV\\Tests\\unit\\DAV\\HookManagerTest::test":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\HookManagerTest::testWithExisting":0,"OCA\\DAV\\Tests\\unit\\DAV\\HookManagerTest::testWithBirthdayCalendar":0,"OCA\\DAV\\Tests\\unit\\DAV\\HookManagerTest::testDeleteCalendar":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testPut":0.001,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testGet":0.002,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testGetContentType":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testGetETag":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testGetSize":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testDelete":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testGetName":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testSetName":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectFileTest::testGetLastModified":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testCreateFile":0.001,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testCreateDirectory":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testGetChildren":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testChildExists":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testDelete":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testGetName":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testSetName":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testGetLastModified":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testGetChildValid":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testGetChildExpired":0,"OCA\\DAV\\Tests\\Unit\\Direct\\DirectHomeTest::testGetChildInvalid":0,"OCA\\DAV\\Tests\\Files\\Sharing\\FilesDropPluginTest::testInitialize":0.002,"OCA\\DAV\\Tests\\Files\\Sharing\\FilesDropPluginTest::testNotEnabled":0,"OCA\\DAV\\Tests\\Files\\Sharing\\FilesDropPluginTest::testValid":0,"OCA\\DAV\\Tests\\Files\\Sharing\\FilesDropPluginTest::testFileAlreadyExistsValid":0,"OCA\\DAV\\Tests\\Files\\Sharing\\FilesDropPluginTest::testNoMKCOL":0,"OCA\\DAV\\Tests\\Files\\Sharing\\FilesDropPluginTest::testNoSubdirPut":0,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchFilename":0.006,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchMimetype":0,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchSize":0,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchMtime":0,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchIsCollection":0,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchInvalidProp":0,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchNonFolder":0,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchLimitOwnerBasic":0.001,"OCA\\DAV\\Tests\\Files\\FileSearchBackendTest::testSearchLimitOwnerNested":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testBodyTypeValidation":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testValidRequest":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testInvalidMd5Hash":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testNullMd5Hash":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testNullContentLength":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testLowerContentLength":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testHigherContentLength":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testWrongBoundary":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testNoBoundaryInHeader":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testNoBoundaryInBody":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testBoundaryWithQuotes":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testWrongContentType":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testWrongKeyInContentType":0,"OCA\\DAV\\Tests\\unit\\DAV\\MultipartRequestParserTest::testNullContentType":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Migration\\CalDAVRemoveEmptyValueTest::testRunAllValid":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Migration\\CalDAVRemoveEmptyValueTest::testRunInvalid":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Migration\\CalDAVRemoveEmptyValueTest::testRunValid":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Migration\\CalDAVRemoveEmptyValueTest::testRunStillInvalid":0,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RefreshWebcalJobRegistrarTest::testGetName":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RefreshWebcalJobRegistrarTest::testRun":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RegenerateBirthdayCalendarsTest::testGetName":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RegenerateBirthdayCalendarsTest::testRun":0,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RegenerateBirthdayCalendarsTest::testRunSecondTime":0,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RemoveDeletedUsersCalendarSubscriptionsTest::testGetName":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RemoveDeletedUsersCalendarSubscriptionsTest::testRun with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\Migration\\RemoveDeletedUsersCalendarSubscriptionsTest::testRun with data set #1":0,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningNodeTest::testGetName":0.001,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningNodeTest::testSetName":0,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningNodeTest::testGetLastModified":0,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningNodeTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningNodeTest::testGetProperties":0,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningNodeTest::testGetPropPatch":0,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningPluginTest::testInitialize":0.001,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningPluginTest::testHttpGetOnHttp":0,"OCA\\DAV\\Tests\\unit\\Provisioning\\Apple\\AppleProvisioningPluginTest::testHttpGetOnHttps":0,"OCA\\DAV\\Tests\\unit\\ContactsSearchProviderTest::testGetId":0.001,"OCA\\DAV\\Tests\\unit\\ContactsSearchProviderTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\ContactsSearchProviderTest::testSearchAppDisabled":0.001,"OCA\\DAV\\Tests\\unit\\ContactsSearchProviderTest::testSearch":0.001,"OCA\\DAV\\Tests\\unit\\ContactsSearchProviderTest::testGetDavUrlForContact":0,"OCA\\DAV\\Tests\\unit\\ContactsSearchProviderTest::testGetDeepLinkToContactsApp":0,"OCA\\DAV\\Tests\\unit\\ContactsSearchProviderTest::testGenerateSubline":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGetId":0.001,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testSearchAppDisabled":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testSearch":0.001,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGetDeepLinkToCalendarApp":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGenerateSubline with data set #0":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGenerateSubline with data set #1":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGenerateSubline with data set #2":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGenerateSubline with data set #3":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGenerateSubline with data set #4":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGenerateSubline with data set #5":0,"OCA\\DAV\\Tests\\unit\\Search\\EventsSearchProviderTest::testGenerateSubline with data set #6":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGetId":0.001,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testSearchAppDisabled":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testSearch":0.001,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGetDeepLinkToTasksApp":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGenerateSubline with data set #0":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGenerateSubline with data set #1":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGenerateSubline with data set #2":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGenerateSubline with data set #3":0,"OCA\\DAV\\Tests\\unit\\Search\\TasksSearchProviderTest::testGenerateSubline with data set #4":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Settings\\CalDAVSettingsTest::testGetForm":0.001,"OCA\\DAV\\Tests\\Unit\\DAV\\Settings\\CalDAVSettingsTest::testGetSection":0,"OCA\\DAV\\Tests\\Unit\\DAV\\Settings\\CalDAVSettingsTest::testGetPriority":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagMappingNodeTest::testGetters":0.001,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagMappingNodeTest::testDeleteTag":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagMappingNodeTest::testDeleteTagExpectedException with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagMappingNodeTest::testDeleteTagExpectedException with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagMappingNodeTest::testDeleteTagNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testGetters with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testGetters with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testSetName":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTag with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTag with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTag with data set #2":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagPermissionException with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagPermissionException with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagPermissionException with data set #2":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagPermissionException with data set #3":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagPermissionException with data set #4":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagPermissionException with data set #5":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagAlreadyExists":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testUpdateTagNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testDeleteTag with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testDeleteTag with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testDeleteTagPermissionException with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testDeleteTagPermissionException with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagNodeTest::testDeleteTagNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testGetProperties with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testGetProperties with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testGetProperties with data set #2":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testGetProperties with data set #3":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testGetPropertiesForbidden":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testUpdatePropertiesAdmin":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testUpdatePropertiesForbidden":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateNotAssignableTagAsRegularUser with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateNotAssignableTagAsRegularUser with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateNotAssignableTagAsRegularUser with data set #2":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagInByIdCollectionAsRegularUser":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagInByIdCollection with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagInByIdCollection with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagInByIdCollection with data set #2":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagInMappingCollection":0.001,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagToUnknownNode":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagConflict with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagPluginTest::testCreateTagConflict with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testForbiddenCreateFile":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testForbiddenCreateDirectory":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testGetChild":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testGetChildInvalidName":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testGetChildNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testGetChildUserNotVisible":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testGetChildrenAdmin":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testGetChildrenNonAdmin":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testGetChildrenEmpty":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testChildExists with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testChildExists with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testChildExistsNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsByIdCollectionTest::testChildExistsBadRequest":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testAssignTag":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testAssignTagNoPermission with data set #0":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testAssignTagNoPermission with data set #1":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testAssignTagNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testForbiddenCreateDirectory":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testGetChild":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testGetChildNonVisible":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testGetChildRelationNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testGetChildInvalidId":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testGetChildTagDoesNotExist":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testGetChildren":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testChildExistsWithVisibleTag":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testChildExistsWithInvisibleTag":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testChildExistsNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testChildExistsTagNotFound":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testChildExistsInvalidId":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testSetName":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectMappingCollectionTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testForbiddenCreateFile":0.001,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testForbiddenCreateDirectory":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testGetChild":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testGetChildWithoutAccess":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testGetChildren":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testChildExists":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testChildExistsWithoutAccess":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testSetName":0,"OCA\\DAV\\Tests\\unit\\SystemTag\\SystemTagsObjectTypeCollectionTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"one node zero bytes\"":0.001,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"one node only\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"one node buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"two nodes\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"two nodes end on buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"two nodes with one on buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"two nodes on buffer boundary plus one byte\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"two nodes on buffer boundary plus one byte at the end\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContents with data set \"a ton of nodes\"":0.002,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"one node zero bytes\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"one node only\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"one node buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"two nodes\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"two nodes end on buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"two nodes with one on buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"two nodes on buffer boundary plus one byte\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"two nodes on buffer boundary plus one byte at the end\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testGetContentsFread with data set \"a ton of nodes\"":0.002,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"one node zero bytes\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"one node only\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"one node buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"two nodes\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"two nodes end on buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"two nodes with one on buffer boundary\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"two nodes on buffer boundary plus one byte\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"two nodes on buffer boundary plus one byte at the end\"":0,"OCA\\DAV\\Tests\\unit\\Upload\\AssemblyStreamTest::testSeek with data set \"a ton of nodes\"":0.012,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveFutureFileSkip":0.005,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveDestinationIsDirectory":0.001,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveFutureFileSkipNonExisting":0,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveFutureFileMoveIt":0,"OCA\\DAV\\Tests\\unit\\Upload\\ChunkingPluginTest::testBeforeMoveSizeIsWrong":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testGetContentType":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testGetETag":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testGetName":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testGetLastModified":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testGetSize":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testGet":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testDelete":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testPut":0,"OCA\\DAV\\Tests\\unit\\Upload\\FutureFileTest::testSetName":0,"OCA\\DAV\\Tests\\Unit\\Listener\\CalendarContactInteractionListenerTest::testParseUnrelated":0.001,"OCA\\DAV\\Tests\\Unit\\Listener\\CalendarContactInteractionListenerTest::testHandleWithoutAnythingInteresting":0,"OCA\\DAV\\Tests\\Unit\\Listener\\CalendarContactInteractionListenerTest::testParseInvalidData":0,"OCA\\DAV\\Tests\\Unit\\Listener\\CalendarContactInteractionListenerTest::testParseCalendarEventWithInvalidEmail":0,"OCA\\DAV\\Tests\\Unit\\Listener\\CalendarContactInteractionListenerTest::testParseCalendarEvent":0.001,"OCA\\DAV\\Tests\\unit\\ServerTest::test with data set \"principals\"":0.009,"OCA\\DAV\\Tests\\unit\\ServerTest::test with data set \"calendars\"":0,"OCA\\DAV\\Tests\\unit\\ServerTest::test with data set \"addressbooks\"":0,"OCA\\DAV\\Tests\\unit\\CapabilitiesTest::testGetCapabilities":0,"OCA\\Encryption\\Tests\\Command\\TestEnableMasterKey::testExecute with data set #0":0,"OCA\\Encryption\\Tests\\Command\\TestEnableMasterKey::testExecute with data set #1":0,"OCA\\Encryption\\Tests\\Command\\TestEnableMasterKey::testExecute with data set #2":0,"OCA\\Encryption\\Tests\\Command\\TestEnableMasterKey::testExecute with data set #3":0,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testEncryptedVersionLessThanOriginalValue":1.783,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testEncryptedVersionGreaterThanOriginalValue":0.512,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testVersionIsRestoredToOriginalIfNoFixIsFound":1.015,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testRepairUnencryptedFileWhenVersionIsSet":0.325,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testExecuteWithFilePathOption":0.677,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testExecuteWithDirectoryPathOption":0.482,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testExecuteWithNoUser":1.157,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testExecuteWithNonExistentPath":0.691,"OCA\\Encryption\\Tests\\Command\\FixEncryptedVersionTest::testExecuteWithNoMasterKey":0.381,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testAdminRecovery with data set #0":0.001,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testAdminRecovery with data set #1":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testAdminRecovery with data set #2":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testAdminRecovery with data set #3":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testAdminRecovery with data set #4":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testChangeRecoveryPassword with data set #0":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testChangeRecoveryPassword with data set #1":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testChangeRecoveryPassword with data set #2":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testChangeRecoveryPassword with data set #3":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testChangeRecoveryPassword with data set #4":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testUserSetRecovery with data set #0":0,"OCA\\Encryption\\Tests\\Controller\\RecoveryControllerTest::testUserSetRecovery with data set #1":0,"OCA\\Encryption\\Tests\\Controller\\SettingsControllerTest::testUpdatePrivateKeyPasswordWrongNewPassword":0.002,"OCA\\Encryption\\Tests\\Controller\\SettingsControllerTest::testUpdatePrivateKeyPasswordWrongOldPassword":0,"OCA\\Encryption\\Tests\\Controller\\SettingsControllerTest::testUpdatePrivateKeyPassword":0,"OCA\\Encryption\\Tests\\Controller\\SettingsControllerTest::testSetEncryptHomeStorage":0,"OCA\\Encryption\\Tests\\Controller\\StatusControllerTest::testGetStatus with data set #0":0,"OCA\\Encryption\\Tests\\Controller\\StatusControllerTest::testGetStatus with data set #1":0,"OCA\\Encryption\\Tests\\Controller\\StatusControllerTest::testGetStatus with data set #2":0,"OCA\\Encryption\\Tests\\Controller\\StatusControllerTest::testGetStatus with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetOpenSSLConfigBasic":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetOpenSSLConfig":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGenerateHeader with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGenerateHeader with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGenerateHeader with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGenerateHeaderInvalid":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetCipherWithInvalidCipher":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetCipher with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetCipher with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetCipher with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetCipher with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetCipher with data set #4":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testConcatIV":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testSplitMetaData with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testSplitMetaData with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testHasSignature with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testHasSignature with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testHasSignatureFail with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testHasSignatureFail with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testHasSignatureFail with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testHasSignatureFail with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testAddPadding":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testRemovePadding with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testRemovePadding with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testParseHeader":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testEncrypt":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testDecrypt":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetKeySize with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetKeySize with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetKeySize with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetKeySize with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testGetKeySizeFailure":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testDecryptPrivateKey with data set #0":0.001,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testDecryptPrivateKey with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testDecryptPrivateKey with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testDecryptPrivateKey with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testDecryptPrivateKey with data set #4":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testDecryptPrivateKey with data set #5":0,"OCA\\Encryption\\Tests\\Crypto\\CryptTest::testIsValidPrivateKey":0.009,"OCA\\Encryption\\Tests\\Crypto\\DecryptAllTest::testUpdateSession":0,"OCA\\Encryption\\Tests\\Crypto\\DecryptAllTest::testGetPrivateKey with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\DecryptAllTest::testGetPrivateKey with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\DecryptAllTest::testGetPrivateKey with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testEndUser1":0.001,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testEndUser2":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testGetPathToRealFile with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testGetPathToRealFile with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testGetPathToRealFile with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testGetPathToRealFile with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testBegin with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testBegin with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testBegin with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testBegin with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testBeginDecryptAll":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testBeginInitMasterKey":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testUpdate with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testUpdate with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testUpdateNoUsers":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testUpdateMissingPublicKey":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #1":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #2":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #3":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #4":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #5":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #6":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #7":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #8":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testShouldEncrypt with data set #9":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testDecrypt":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptionTest::testPrepareDecryptAll":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testEncryptAll":0.001,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testEncryptAllWithMasterKey":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testCreateKeyPairs":0.001,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testEncryptAllUsersFiles":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testEncryptUsersFiles":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testGenerateOneTimePassword":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testEncryptFile with data set #0":0,"OCA\\Encryption\\Tests\\Crypto\\EncryptAllTest::testEncryptFile with data set #1":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testLogin":0.001,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testLogout":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testPostCreateUser":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testPostDeleteUser":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testPrePasswordReset":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testPostPasswordReset":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testPreSetPassphrase with data set #0":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testPreSetPassphrase with data set #1":0,"OCA\\Encryption\\Tests\\Hooks\\UserHooksTest::testSetPassphraseResetUserMode":0,"OCA\\Encryption\\Tests\\Settings\\AdminTest::testGetForm":0.001,"OCA\\Encryption\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\Encryption\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\Encryption\\Tests\\Users\\SetupTest::testSetupSystem":0,"OCA\\Encryption\\Tests\\Users\\SetupTest::testSetupUser with data set #0":0,"OCA\\Encryption\\Tests\\Users\\SetupTest::testSetupUser with data set #1":0,"OCA\\Encryption\\Tests\\HookManagerTest::testRegisterHookWithArray":0,"OCA\\Encryption\\Tests\\HookManagerTest::testRegisterHooksWithInstance":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testDeleteShareKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetPrivateKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetPublicKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testRecoveryKeyExists":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testCheckRecoveryKeyPassword":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testSetPublicKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testSetPrivateKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testUserHasKeys with data set #0":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testUserHasKeys with data set #1":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testUserHasKeysMissingPrivateKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testUserHasKeysMissingPublicKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testInit with data set #0":0.001,"OCA\\Encryption\\Tests\\KeyManagerTest::testInit with data set #1":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testSetRecoveryKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testSetSystemPrivateKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetSystemPrivateKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetEncryptedFileKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #0":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #1":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #2":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #3":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #4":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #5":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #6":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetFileKey with data set #7":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testDeletePrivateKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testDeleteAllFileKeys":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testAddSystemKeys with data set #0":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testAddSystemKeys with data set #1":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testAddSystemKeys with data set #2":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testAddSystemKeys with data set #3":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetMasterKeyId":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetPublicMasterKey":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetMasterKeyPassword":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetMasterKeyPasswordException":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testValidateMasterKey with data set #0":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testValidateMasterKey with data set #1":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testValidateMasterKeyLocked":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetVersionWithoutFileInfo":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testGetVersionWithFileInfo":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testSetVersionWithFileInfo":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testSetVersionWithoutFileInfo":0,"OCA\\Encryption\\Tests\\KeyManagerTest::testBackupUserKeys":0,"OCA\\Encryption\\Tests\\RecoveryTest::testEnableAdminRecoverySuccessful":0,"OCA\\Encryption\\Tests\\RecoveryTest::testEnableAdminRecoveryCouldNotCheckPassword":0,"OCA\\Encryption\\Tests\\RecoveryTest::testEnableAdminRecoveryCouldNotCreateKey":0,"OCA\\Encryption\\Tests\\RecoveryTest::testChangeRecoveryKeyPasswordSuccessful":0,"OCA\\Encryption\\Tests\\RecoveryTest::testChangeRecoveryKeyPasswordCouldNotDecryptPrivateRecoveryKey":0,"OCA\\Encryption\\Tests\\RecoveryTest::testDisableAdminRecovery":0,"OCA\\Encryption\\Tests\\RecoveryTest::testIsRecoveryEnabledForUser":0,"OCA\\Encryption\\Tests\\RecoveryTest::testIsRecoveryKeyEnabled":0,"OCA\\Encryption\\Tests\\RecoveryTest::testSetRecoveryFolderForUser":0,"OCA\\Encryption\\Tests\\RecoveryTest::testRecoverUserFiles":0,"OCA\\Encryption\\Tests\\RecoveryTest::testRecoverFile":0,"OCA\\Encryption\\Tests\\SessionTest::testThatGetPrivateKeyThrowsExceptionWhenNotSet":0,"OCA\\Encryption\\Tests\\SessionTest::testSetAndGetPrivateKey":0,"OCA\\Encryption\\Tests\\SessionTest::testIsPrivateKeySet":0,"OCA\\Encryption\\Tests\\SessionTest::testDecryptAllModeActivated":0,"OCA\\Encryption\\Tests\\SessionTest::testDecryptAllModeDeactivated":0,"OCA\\Encryption\\Tests\\SessionTest::testGetDecryptAllUidException":0,"OCA\\Encryption\\Tests\\SessionTest::testGetDecryptAllUidException2":0,"OCA\\Encryption\\Tests\\SessionTest::testGetDecryptAllKeyException":0,"OCA\\Encryption\\Tests\\SessionTest::testGetDecryptAllKeyException2":0,"OCA\\Encryption\\Tests\\SessionTest::testSetAndGetStatusWillSetAndReturn":0,"OCA\\Encryption\\Tests\\SessionTest::testIsReady with data set #0":0,"OCA\\Encryption\\Tests\\SessionTest::testIsReady with data set #1":0,"OCA\\Encryption\\Tests\\SessionTest::testIsReady with data set #2":0,"OCA\\Encryption\\Tests\\SessionTest::testClearWillRemoveValues":0,"OCA\\Encryption\\Tests\\UtilTest::testSetRecoveryForUser":0,"OCA\\Encryption\\Tests\\UtilTest::testIsRecoveryEnabledForUser":0,"OCA\\Encryption\\Tests\\UtilTest::testUserHasFiles":0,"OCA\\Encryption\\Tests\\UtilTest::testIsMasterKeyEnabled with data set #0":0,"OCA\\Encryption\\Tests\\UtilTest::testIsMasterKeyEnabled with data set #1":0,"OCA\\Encryption\\Tests\\UtilTest::testShouldEncryptHomeStorage with data set #0":0,"OCA\\Encryption\\Tests\\UtilTest::testShouldEncryptHomeStorage with data set #1":0,"OCA\\Encryption\\Tests\\UtilTest::testSetEncryptHomeStorage with data set #0":0,"OCA\\Encryption\\Tests\\UtilTest::testSetEncryptHomeStorage with data set #1":0,"OCA\\Encryption\\Tests\\UtilTest::testGetStorage":0,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testExecute with data set #0":0.103,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testExecute with data set #1":0.007,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testExecute with data set #2":0.007,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testRun with data set #0":0.007,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testRun with data set #1":0.007,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testRun with data set #2":0.007,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testRunExpired":0.007,"OCA\\Federation\\Tests\\BackgroundJob\\GetSharedSecretTest::testRunConnectionError":0.008,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testExecute with data set #0":0.019,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testExecute with data set #1":0,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testExecute with data set #2":0,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testRun with data set #0":0,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testRun with data set #1":0,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testRun with data set #2":0,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testRunExpired":0,"OCA\\Federation\\Tests\\BackgroundJob\\RequestSharedSecretTest::testRunConnectionError":0.001,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testRequestSharedSecret with data set #0":0.006,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testRequestSharedSecret with data set #1":0,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testRequestSharedSecret with data set #2":0,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #0":0.001,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #1":0,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #2":0,"OCA\\Federation\\Tests\\Controller\\OCSAuthAPIControllerTest::testGetSharedSecret with data set #3":0,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testAddServer":0.002,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testAddServerFail with data set #0":0.001,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testAddServerFail with data set #1":0,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testRemoveServer":0,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testCheckServer":0,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testCheckServerFail with data set #0":0,"OCA\\Federation\\Tests\\Controller\\SettingsControllerTest::testCheckServerFail with data set #1":0,"OCA\\Federation\\Tests\\DAV\\FedAuthTest::testFedAuth with data set #0":0.001,"OCA\\Federation\\Tests\\Middleware\\AddServerMiddlewareTest::testAfterException with data set #0":0.001,"OCA\\Federation\\Tests\\Middleware\\AddServerMiddlewareTest::testAfterException with data set #1":0,"OCA\\Federation\\Tests\\Settings\\AdminTest::testGetForm":0.002,"OCA\\Federation\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\Federation\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\Federation\\Tests\\DbHandlerTest::testAddServer with data set #0":0,"OCA\\Federation\\Tests\\DbHandlerTest::testAddServer with data set #1":0,"OCA\\Federation\\Tests\\DbHandlerTest::testAddServer with data set #2":0,"OCA\\Federation\\Tests\\DbHandlerTest::testRemove":0,"OCA\\Federation\\Tests\\DbHandlerTest::testGetServerById":0,"OCA\\Federation\\Tests\\DbHandlerTest::testGetAll":0,"OCA\\Federation\\Tests\\DbHandlerTest::testServerExists with data set #0":0,"OCA\\Federation\\Tests\\DbHandlerTest::testServerExists with data set #1":0,"OCA\\Federation\\Tests\\DbHandlerTest::testServerExists with data set #2":0,"OCA\\Federation\\Tests\\DbHandlerTest::testGetToken":0,"OCA\\Federation\\Tests\\DbHandlerTest::testGetSharedSecret":0,"OCA\\Federation\\Tests\\DbHandlerTest::testSetServerStatus":0,"OCA\\Federation\\Tests\\DbHandlerTest::testGetServerStatus":0,"OCA\\Federation\\Tests\\DbHandlerTest::testHash with data set #0":0,"OCA\\Federation\\Tests\\DbHandlerTest::testHash with data set #1":0,"OCA\\Federation\\Tests\\DbHandlerTest::testHash with data set #2":0,"OCA\\Federation\\Tests\\DbHandlerTest::testHash with data set #3":0,"OCA\\Federation\\Tests\\DbHandlerTest::testNormalizeUrl with data set #0":0,"OCA\\Federation\\Tests\\DbHandlerTest::testNormalizeUrl with data set #1":0,"OCA\\Federation\\Tests\\DbHandlerTest::testNormalizeUrl with data set #2":0,"OCA\\Federation\\Tests\\DbHandlerTest::testNormalizeUrl with data set #3":0,"OCA\\Federation\\Tests\\DbHandlerTest::testNormalizeUrl with data set #4":0,"OCA\\Federation\\Tests\\DbHandlerTest::testAuth with data set #0":0,"OCA\\Federation\\Tests\\DbHandlerTest::testAuth with data set #1":0,"OCA\\Federation\\Tests\\SyncFederationAddressbooksTest::testSync":0.001,"OCA\\Federation\\Tests\\SyncFederationAddressbooksTest::testException":0,"OCA\\Federation\\Tests\\TrustedServersTest::testAddServer with data set #0":0.002,"OCA\\Federation\\Tests\\TrustedServersTest::testAddServer with data set #1":0,"OCA\\Federation\\Tests\\TrustedServersTest::testAddSharedSecret":0,"OCA\\Federation\\Tests\\TrustedServersTest::testGetSharedSecret":0,"OCA\\Federation\\Tests\\TrustedServersTest::testRemoveServer":0,"OCA\\Federation\\Tests\\TrustedServersTest::testGetServers":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsTrustedServer":0,"OCA\\Federation\\Tests\\TrustedServersTest::testSetServerStatus":0,"OCA\\Federation\\Tests\\TrustedServersTest::testGetServerStatus":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsOwnCloudServer with data set #0":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsOwnCloudServer with data set #1":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsOwnCloudServer with data set #2":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsOwnCloudServerFail":0,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckOwnCloudVersion with data set #0":0,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckOwnCloudVersion with data set #1":0,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckOwnCloudVersionTooLow with data set #0":0,"OCA\\Federation\\Tests\\TrustedServersTest::testUpdateProtocol with data set #0":0,"OCA\\Federation\\Tests\\TrustedServersTest::testUpdateProtocol with data set #1":0,"OCA\\Federation\\Tests\\TrustedServersTest::testUpdateProtocol with data set #2":0,"OCA\\Federation\\Tests\\TrustedServersTest::testUpdateProtocol with data set #3":0,"OCA\\Files_Sharing\\Tests\\Collaboration\\ShareRecipientSorterTest::testSort with data set #0":0.005,"OCA\\Files_Sharing\\Tests\\Collaboration\\ShareRecipientSorterTest::testSortNoNodes":0,"OCA\\Files_Sharing\\Tests\\Command\\CleanupRemoteStoragesTest::testCleanup":0.01,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testIndex":0.005,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testCreate":0,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testDestroy":0,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testRemoteWithValidHttps":0.002,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testRemoteWithWorkingHttp":0.001,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testRemoteWithInvalidRemote":0.001,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testRemoteWithInvalidRemoteURLs with data set #0":0.001,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testRemoteWithInvalidRemoteURLs with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controllers\\ExternalShareControllerTest::testRemoteWithInvalidRemoteURLs with data set #2":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareInfoControllerTest::testNoShare":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareInfoControllerTest::testWrongPassword":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareInfoControllerTest::testNoReadPermissions":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareInfoControllerTest::testInfoFile":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareInfoControllerTest::testInfoFileRO":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareInfoControllerTest::testInfoFolder":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #0":0.028,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #1":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #2":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #3":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #4":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #5":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #6":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #7":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #8":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #9":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #10":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #11":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #12":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #13":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #14":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #15":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #16":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #17":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #18":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #19":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #20":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #21":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #22":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #23":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #24":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #25":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #26":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #27":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #28":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearch with data set #29":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #0":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #1":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #2":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #3":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #4":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchInvalid with data set #5":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #0":0.011,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #1":0.005,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #2":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsRemoteSharingAllowed with data set #3":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testSearchNoItemType":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testGetPaginationLink with data set #0":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testGetPaginationLink with data set #1":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsV2 with data set #0":0.004,"OCA\\Files_Sharing\\Tests\\Controller\\ShareesAPIControllerTest::testIsV2 with data set #1":0.004,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testShowShareInvalidToken":0.191,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testShowShareNotAuthenticated":0.147,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testShowShare":0.143,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testShowShareWithPrivateName":0.14,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testShowShareHideDownload":0.139,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testShareFileDrop":0.138,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testShowShareInvalid":0.129,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testDownloadShareWithCreateOnlyShare":0.132,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testDisabledOwner":0.133,"OCA\\Files_Sharing\\Tests\\Controllers\\ShareControllerTest::testDisabledInitiator":0.133,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testInvalidToken":0.002,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testInvalidWidth":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testInvalidHeight":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testInvalidShare":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testShareNotAccessable":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testPreviewFile":0.002,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testPreviewFolderInvalidFile":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\PublicPreviewControllerTest::testPreviewFolderValidFile":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteShareShareNotFound":0.014,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteShare":0.002,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteShareLocked":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteShareWithMe":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteShareOwner":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteShareFileOwner":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteSharedWithMyGroup":0.002,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testDeleteSharedWithGroupIDontBelongTo":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShare with data set #0":0.002,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShare with data set #1":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShare with data set #2":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShareInvalidNode":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #0":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #2":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #3":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #4":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #5":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #6":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #7":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #8":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #9":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #10":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #11":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #12":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #13":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testGetShares with data set #14":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessShare":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #0":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #2":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCanAccessRoomShare with data set #3":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareNoPath":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareInvalidPath":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareInvalidPermissions":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareUserNoShareWith":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareUserNoValidShareWith":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareUser":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareGroupNoValidShareWith":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareGroup":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareGroupNotAllowed":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkNoLinksAllowed":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkNoPublicUpload":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkPublicUploadFile":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkPublicUploadFolder":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkPassword":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkSendPasswordByTalk":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareLinkSendPasswordByTalkWithTalkDisabled":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareValidExpireDate":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareInvalidExpireDate":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRemote":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRemoteGroup":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRoom":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRoomHelperNotAvailable":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateShareRoomHelperThrowException":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testCreateReshareOfFederatedMountNoDeletePermissions":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateShareCantAccess":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateNoParametersLink":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateNoParametersOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareClear":0.002,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSet":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareEnablePublicUpload with data set #0":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareEnablePublicUpload with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareEnablePublicUpload with data set #2":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #0":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #2":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #3":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetCRUDPermissions with data set #4":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions1 with data set #0":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions1 with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions1 with data set #2":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions2 with data set #0":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSetInvalidCRUDPermissions2 with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareInvalidDate":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadNotAllowed with data set #0":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadNotAllowed with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadNotAllowed with data set #2":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadOnFile":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePasswordDoesNotChangeOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSendPasswordByTalkDoesNotChangeOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareSendPasswordByTalkWithTalkDisabledDoesNotChangeOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareDoNotSendPasswordByTalkDoesNotChangeOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareDoNotSendPasswordByTalkWithTalkDisabledDoesNotChangeOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkShareExpireDateDoesNotChangeOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePublicUploadDoesNotChangeOther":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePermissions":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateLinkSharePermissionsShare":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateOtherPermissions":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateShareCannotIncreasePermissions":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testUpdateShareCanIncreasePermissionsIfOwner":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #0":0.001,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #1":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #2":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #3":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #4":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #5":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #6":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #7":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #8":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #9":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #10":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #11":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #12":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #13":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #14":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #15":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatShare with data set #16":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatRoomShare with data set #0":0,"OCA\\Files_Sharing\\Tests\\Controller\\ShareAPIControllerTest::testFormatRoomShare with data set #1":0.001,"OCA\\Files_Sharing\\Tests\\External\\ScannerTest::testScan":0,"OCA\\Files_Sharing\\Tests\\External\\ScannerTest::testScanFile":0,"OCA\\Files_Sharing\\Tests\\External\\CacheTest::testGetInjectsOwnerDisplayName":0.017,"OCA\\Files_Sharing\\Tests\\External\\CacheTest::testGetReturnsFalseIfNotFound":0.009,"OCA\\Files_Sharing\\Tests\\External\\CacheTest::testGetFolderPopulatesOwner":0.011,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAddUserShare":0.021,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAddGroupShare":0.013,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAcceptOriginalGroupShare":0.014,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAcceptGroupShareAgainThroughGroupShare":0.015,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testAcceptGroupShareAgainThroughSubShare":0.013,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineOriginalGroupShare":0.008,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineGroupShareAgainThroughGroupShare":0.012,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineGroupShareAgainThroughSubshare":0.012,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineGroupShareAgainThroughMountPoint":0.012,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineThenAcceptGroupShareAgainThroughGroupShare":0.013,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeclineThenAcceptGroupShareAgainThroughSubShare":0.013,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeleteUserShares":0.012,"OCA\\Files_Sharing\\Tests\\External\\ManagerTest::testDeleteGroupShares":0.012,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testBeforeController with data set #0":0.001,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testBeforeController with data set #1":0,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testBeforeController with data set #2":0,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testBeforeController with data set #3":0,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testBeforeController with data set #4":0,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testBeforeController with data set #5":0,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testAfterController with data set #0":0.001,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testAfterController with data set #1":0,"OCA\\Files_Sharing\\Tests\\Middleware\\OCSShareAPIMiddlewareTest::testAfterController with data set #2":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testBeforeControllerNoShareInfo":0.001,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testBeforeControllerShareInfoNoS2s":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testBeforeControllerShareInfo":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testAfterExceptionNoShareInfo":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testAfterExceptionNoS2S":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testAfterExceptionS2S":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testAfterControllerNoShareInfo":0.001,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testAfterControllerNoJSON":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testAfterControllerJSONok":0,"OCA\\Files_Sharing\\Tests\\Middleware\\ShareInfoMiddlewareTest::testAfterControllerJSONerror":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testIsSharingEnabledWithAppEnabled":0.001,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testIsSharingEnabledWithAppDisabled":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #0":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #1":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #2":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #3":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #4":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #5":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #6":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #7":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #8":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #9":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #10":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #11":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #12":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #13":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #14":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testExternalSharesChecks with data set #15":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #0":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #1":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #2":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #3":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #4":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #5":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #6":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #7":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #8":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #9":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #10":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #11":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #12":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #13":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #14":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithExternalShareControllerWithSharingEnabled with data set #15":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithShareControllerWithSharingEnabled":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testBeforeControllerWithSharingDisabled":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testAfterExceptionWithRegularException":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testAfterExceptionWithNotFoundException":0,"OCA\\Files_Sharing\\Middleware\\SharingCheckMiddlewareTest::testAfterExceptionWithS2SException":0,"OCA\\Files_Sharing\\Tests\\Migration\\SetPasswordColumnTest::testAddPasswordColumn":0.018,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareUserFile":0.114,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareUserFolder":0.025,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareGroupFile":0.028,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareGroupFolder":0.022,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareLink":0.027,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreateShareLinkPublicUpload":0.022,"OCA\\Files_Sharing\\Tests\\ApiTest::testEnforceLinkPassword":0.401,"OCA\\Files_Sharing\\Tests\\ApiTest::testSharePermissions":0.024,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetAllShares":0.03,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetAllSharesWithMe":0.032,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkUrl":0.024,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromSource":0.022,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromSourceWithReshares":0.027,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromId":0.019,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFolder":0.023,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFolderWithFile":0.019,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFolderReshares":0.034,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromSubFolderReShares":0.027,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareMultipleSharedFolder":0.037,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromFileReReShares":0.034,"OCA\\Files_Sharing\\Tests\\ApiTest::testGetShareFromUnknownId":0.021,"OCA\\Files_Sharing\\Tests\\ApiTest::testUpdateShare":0.294,"OCA\\Files_Sharing\\Tests\\ApiTest::testUpdateShareUpload":0.034,"OCA\\Files_Sharing\\Tests\\ApiTest::testUpdateShareExpireDate":0.035,"OCA\\Files_Sharing\\Tests\\ApiTest::testDeleteShare":0.04,"OCA\\Files_Sharing\\Tests\\ApiTest::testDeleteReshare":0.05,"OCA\\Files_Sharing\\Tests\\ApiTest::testShareFolderWithAMountPoint":0.068,"OCA\\Files_Sharing\\Tests\\ApiTest::testShareStorageMountPoint":0.056,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkExpireDate with data set #0":0.036,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkExpireDate with data set #1":0.043,"OCA\\Files_Sharing\\Tests\\ApiTest::testPublicLinkExpireDate with data set #2":0.039,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreatePublicLinkExpireDateValid":0.039,"OCA\\Files_Sharing\\Tests\\ApiTest::testCreatePublicLinkExpireDateInvalidFuture":0.043,"OCA\\Files_Sharing\\Tests\\ApiTest::testInvisibleSharesUser":0.057,"OCA\\Files_Sharing\\Tests\\ApiTest::testInvisibleSharesGroup":0.066,"OCA\\Files_Sharing\\Tests\\DeleteOrphanedSharesJobTest::testClearShares":0.33,"OCA\\Files_Sharing\\Tests\\EncryptedSizePropagationTest::testSizePropagationWhenOwnerChangesFile":2.076,"OCA\\Files_Sharing\\Tests\\EncryptedSizePropagationTest::testSizePropagationWhenRecipientChangesFile":1.306,"OCA\\Files_Sharing\\Tests\\SizePropagationTest::testSizePropagationWhenOwnerChangesFile":0.105,"OCA\\Files_Sharing\\Tests\\SizePropagationTest::testSizePropagationWhenRecipientChangesFile":0.069,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerWritesToShare":0.17,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerWritesToSingleFileShare":0.12,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerWritesToShareWithReshare":0.166,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameInShare":0.155,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameInReShare":0.161,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameIntoReShare":0.164,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerRenameOutOfReShare":0.161,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerDeleteInShare":0.152,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerDeleteInReShare":0.184,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerUnshares":0.172,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testOwnerUnsharesFlatReshares":0.138,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientUnsharesFromSelf":0.143,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientWritesToShare":0.18,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientWritesToReshare":0.182,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientWritesToOtherRecipientsReshare":0.169,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientRenameInShare":0.174,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientRenameInReShare":0.178,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientRenameResharedFolder":0.146,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientDeleteInShare":0.174,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientDeleteInReShare":0.206,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testReshareRecipientWritesToReshare":0.186,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testReshareRecipientRenameInReShare":0.187,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testReshareRecipientDeleteInReShare":0.18,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testRecipientUploadInDirectReshare":0.17,"OCA\\Files_Sharing\\Tests\\EtagPropagationTest::testEtagChangeOnPermissionsChange":0.184,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #0":0.467,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #1":0.452,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #2":0.356,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #3":0.293,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #4":0.29,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #5":0.289,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #6":0.31,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #7":0.293,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #8":0.309,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testExpireLinkShare with data set #9":0.339,"OCA\\Files_Sharing\\Tests\\ExpireSharesJobTest::testDoNotExpireOtherShares":0.317,"OCA\\Files_Sharing\\Tests\\ExternalStorageTest::testStorageMountOptions with data set #0":0,"OCA\\Files_Sharing\\Tests\\ExternalStorageTest::testStorageMountOptions with data set #1":0,"OCA\\Files_Sharing\\Tests\\ExternalStorageTest::testStorageMountOptions with data set #2":0,"OCA\\Files_Sharing\\Tests\\ExternalStorageTest::testStorageMountOptions with data set #3":0,"OCA\\Files_Sharing\\Tests\\ExternalStorageTest::testStorageMountOptions with data set #4":0,"OCA\\Files_Sharing\\Tests\\ExternalStorageTest::testStorageMountOptions with data set #5":0,"OCA\\Files_Sharing\\Tests\\ExternalStorageTest::testIfTestReturnsTheValue":0,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testGroupReShareRecipientWrites":0.169,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testGroupReShareSubFolderRecipientWrites":0.155,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testRecipientUnsharesFromSelf":0.13,"OCA\\Files_Sharing\\Tests\\GroupEtagPropagationTest::testRecipientUnsharesFromSelfUniqueGroupShare":0.134,"OCA\\Files_Sharing\\Tests\\HelperTest::testSetGetShareFolder":0.016,"OCA\\Files_Sharing\\Tests\\LockingTest::testLockAsRecipient":0.041,"OCA\\Files_Sharing\\Tests\\LockingTest::testUnLockAsRecipient":0.038,"OCA\\Files_Sharing\\Tests\\LockingTest::testChangeLock":0.027,"OCA\\Files_Sharing\\Tests\\ShareTest::testUnshareFromSelf":0.101,"OCA\\Files_Sharing\\Tests\\ShareTest::testShareWithDifferentShareFolder":0.042,"OCA\\Files_Sharing\\Tests\\ShareTest::testShareWithGroupUniqueName":0.025,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #0":0.025,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #1":0.03,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #2":0.03,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #3":0.025,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileSharePermissions with data set #4":0.029,"OCA\\Files_Sharing\\Tests\\ShareTest::testFileOwner":0.041,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testShareMountLoseParentFolder":0.054,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testDeleteParentOfMountPoint":0.053,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testMoveSharedFile":0.048,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testMoveGroupShare":0.085,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #0":0.015,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #1":0.014,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #2":0.015,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #3":0.015,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #4":0.015,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testStripUserFilesPath with data set #5":0.014,"OCA\\Files_Sharing\\Tests\\SharedMountTest::testPermissionUpgradeOnUserDeletedGroupShare":0.086,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testParentOfMountPointIsGone":0.089,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testRenamePartFile":0.054,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFilesize":0.038,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testGetPermissions":0.037,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithReadOnlyPermission":0.044,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithCreateOnlyPermission":0.076,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithUpdateOnlyPermission":0.113,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testFopenWithDeleteOnlyPermission":0.109,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testMountSharesOtherUser":0.188,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testCopyFromStorage":0.136,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testMoveFromStorage":0.11,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testNameConflict":0.168,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testOwnerPermissions":0.118,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testInitWithNonExistingUser":0.059,"OCA\\Files_Sharing\\Tests\\SharedStorageTest::testInitWithNotFoundSource":0.049,"OCA\\Files_Sharing\\Tests\\UnshareChildrenTest::testUnshareChildren":0.071,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testDeleteParentFolder":0.072,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testShareFile with data set #0":0.074,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testShareFile with data set #1":0.073,"OCA\\Files_Sharing\\Tests\\UpdaterTest::testRename":0.07,"OCA\\Files_Sharing\\Tests\\WatcherTest::testFolderSizePropagationToOwnerStorage":0.074,"OCA\\Files_Sharing\\Tests\\WatcherTest::testSubFolderSizePropagationToOwnerStorage":0.07,"OCA\\Files_Sharing\\Tests\\CacheTest::testSearch":0.232,"OCA\\Files_Sharing\\Tests\\CacheTest::testSearchByMime":0.075,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetFolderContentsInRoot":0.073,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetFolderContentsInSubdir":0.075,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetFolderContentsWhenSubSubdirShared":0.11,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetPathByIdDirectShare":0.069,"OCA\\Files_Sharing\\Tests\\CacheTest::testGetPathByIdShareSubFolder":0.095,"OCA\\Files_Sharing\\Tests\\CacheTest::testNumericStorageId":0.092,"OCA\\Files_Sharing\\Tests\\CacheTest::testShareJailedStorage":0.101,"OCA\\Files_Sharing\\Tests\\CacheTest::testSearchShareJailedStorage":0.1,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testEnabledSharingAPI":0.007,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testDisabledSharingAPI":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testNoLinkSharing":0.001,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testOnlyLinkSharing":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkPassword":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkNoPassword":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkNoExpireDate":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkExpireDate":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkExpireDateEnforced":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkSendMail":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkNoSendMail":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testResharing":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testNoResharing":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkPublicUpload":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testLinkNoPublicUpload":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testNoGroupSharing":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testGroupSharing":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testFederatedSharingIncoming":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testFederatedSharingNoIncoming":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testFederatedSharingOutgoing":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testFederatedSharingNoOutgoing":0,"OCA\\Files_Sharing\\Tests\\CapabilitiesTest::testFederatedSharingExpirationDate":0,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testExcludeShares":0.018,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #0":0.001,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #1":0.001,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #2":0.001,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #3":0.001,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #4":0,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #5":0,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #6":0,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #7":0.001,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #8":0.001,"OCA\\Files_Sharing\\Tests\\MountProviderTest::testMergeShares with data set #9":0.001,"OCA\\Files_Trashbin\\Tests\\BackgroundJob\\ExpireTrashTest::testConstructAndRun":0.021,"OCA\\Files_Trashbin\\Tests\\BackgroundJob\\ExpireTrashTest::testBackgroundJobDeactivated":0.001,"OCA\\Files_Trashbin\\Tests\\Command\\CleanUpTest::testRemoveDeletedFiles with data set #0":0.005,"OCA\\Files_Trashbin\\Tests\\Command\\CleanUpTest::testRemoveDeletedFiles with data set #1":0.001,"OCA\\Files_Trashbin\\Tests\\Command\\CleanUpTest::testExecuteDeleteListOfUsers":0.002,"OCA\\Files_Trashbin\\Tests\\Command\\CleanUpTest::testExecuteAllUsers":0.001,"OCA\\Files_Trashbin\\Tests\\Command\\CleanUpTest::testExecuteNoUsersAndNoAllUsers":0.001,"OCA\\Files_Trashbin\\Tests\\Command\\CleanUpTest::testExecuteUsersAndAllUsers":0,"OCA\\Files_Trashbin\\Tests\\Command\\ExpireTest::testExpireNonExistingUser":0,"OCA\\Files_Trashbin\\Tests\\Controller\\PreviewControllerTest::testInvalidWidth":0.011,"OCA\\Files_Trashbin\\Tests\\Controller\\PreviewControllerTest::testInvalidHeight":0.001,"OCA\\Files_Trashbin\\Tests\\Controller\\PreviewControllerTest::testValidPreview":0.006,"OCA\\Files_Trashbin\\Tests\\Controller\\PreviewControllerTest::testTrashFileNotFound":0.001,"OCA\\Files_Trashbin\\Tests\\Controller\\PreviewControllerTest::testTrashFolder":0.001,"OCA\\Files_Trashbin\\Tests\\CapabilitiesTest::testGetCapabilities":0.001,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #0":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #1":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #2":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #3":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #4":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #5":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #6":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #7":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #8":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #9":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #10":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #11":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #12":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #13":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #14":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #15":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #16":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #17":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #18":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #19":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #20":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #21":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #22":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #23":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #24":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #25":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #26":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #27":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #28":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #29":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #30":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #31":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #32":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #33":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #34":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testExpiration with data set #35":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #0":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #1":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #2":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #3":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #4":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #5":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #6":0,"OCA\\Files_Trashbin\\Tests\\ExpirationTest::testGetMaxAgeAsTimestamp with data set #7":0,"TrashbinTest::testExpireOldFiles":0.035,"TrashbinTest::testExpireOldFilesShared":0.079,"TrashbinTest::testExpireOldFilesUtilLimitsAreMet":2.049,"TrashbinTest::testRestoreFileInRoot":0.051,"TrashbinTest::testRestoreFileInSubfolder":0.025,"TrashbinTest::testRestoreFolder":0.025,"TrashbinTest::testRestoreFileFromTrashedSubfolder":0.024,"TrashbinTest::testRestoreFileWithMissingSourceFolder":0.029,"TrashbinTest::testRestoreFileDoesNotOverwriteExistingInRoot":0.026,"TrashbinTest::testRestoreFileDoesNotOverwriteExistingInSubfolder":0.027,"TrashbinTest::testRestoreUnexistingFile":0.005,"TrashbinTest::testRestoreFileIntoReadOnlySourceFolder":0.02,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFile":0.186,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFolder":0.154,"OCA\\Files_Trashbin\\Tests\\StorageTest::testCrossStorageDeleteFile":0.151,"OCA\\Files_Trashbin\\Tests\\StorageTest::testCrossStorageDeleteFolder":0.155,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFile":0.166,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFolder":0.161,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFileAsRecipient":0.324,"OCA\\Files_Trashbin\\Tests\\StorageTest::testDeleteVersionsOfFolderAsRecipient":0.31,"OCA\\Files_Trashbin\\Tests\\StorageTest::testKeepFileAndVersionsWhenMovingFileBetweenStorages":0.153,"OCA\\Files_Trashbin\\Tests\\StorageTest::testKeepFileAndVersionsWhenMovingFolderBetweenStorages":0.154,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFileFail":0.151,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFolderFail":0.144,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #0":0.143,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #1":0.14,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #2":0.14,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #3":0.14,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #4":0.139,"OCA\\Files_Trashbin\\Tests\\StorageTest::testShouldMoveToTrash with data set #5":0.14,"OCA\\Files_Trashbin\\Tests\\StorageTest::testSingleStorageDeleteFileLoggedOut":0.149,"OCA\\Files_Trashbin\\Tests\\StorageTest::testTrashbinCollision":0.17,"OCA\\Files_Trashbin\\Tests\\StorageTest::testMoveFromStoragePreserveFileId":0.146,"OCA\\Files_Versions\\Tests\\Command\\CleanupTest::testDeleteVersions with data set #0":0.001,"OCA\\Files_Versions\\Tests\\Command\\CleanupTest::testDeleteVersions with data set #1":0.001,"OCA\\Files_Versions\\Tests\\Command\\CleanupTest::testExecuteDeleteListOfUsers":0,"OCA\\Files_Versions\\Tests\\Command\\CleanupTest::testExecuteAllUsers":0,"OCA\\Files_Versions\\Tests\\Command\\ExpireTest::testExpireNonExistingUser":0,"OCA\\Files_Versions\\Tests\\Controller\\PreviewControllerTest::testInvalidFile":0.007,"OCA\\Files_Versions\\Tests\\Controller\\PreviewControllerTest::testInvalidWidth":0,"OCA\\Files_Versions\\Tests\\Controller\\PreviewControllerTest::testInvalidHeight":0,"OCA\\Files_Versions\\Tests\\Controller\\PreviewControllerTest::testInvalidVersion":0,"OCA\\Files_Versions\\Tests\\Controller\\PreviewControllerTest::testValidPreview":0.004,"OCA\\Files_Versions\\Tests\\Controller\\PreviewControllerTest::testVersionNotFound":0.001,"OCA\\files_versions\\tests\\Versions\\VersionManagerTest::testGetBackendSingle":0.008,"OCA\\files_versions\\tests\\Versions\\VersionManagerTest::testGetBackendMoreSpecific":0,"OCA\\files_versions\\tests\\Versions\\VersionManagerTest::testGetBackendNoUse":0,"OCA\\files_versions\\tests\\Versions\\VersionManagerTest::testGetBackendMultiple":0,"OCA\\Files_Versions\\Tests\\VersioningTest::testGetExpireList with data set #0":0.024,"OCA\\Files_Versions\\Tests\\VersioningTest::testGetExpireList with data set #1":0.018,"OCA\\Files_Versions\\Tests\\VersioningTest::testGetExpireList with data set #2":0.019,"OCA\\Files_Versions\\Tests\\VersioningTest::testGetExpireList with data set #3":0.018,"OCA\\Files_Versions\\Tests\\VersioningTest::testRename":0.052,"OCA\\Files_Versions\\Tests\\VersioningTest::testRenameInSharedFolder":0.056,"OCA\\Files_Versions\\Tests\\VersioningTest::testMoveFolder":0.055,"OCA\\Files_Versions\\Tests\\VersioningTest::testMoveFileIntoSharedFolderAsRecipient":0.051,"OCA\\Files_Versions\\Tests\\VersioningTest::testMoveFolderIntoSharedFolderAsRecipient":0.052,"OCA\\Files_Versions\\Tests\\VersioningTest::testRenameSharedFile":0.09,"OCA\\Files_Versions\\Tests\\VersioningTest::testCopy":0.046,"OCA\\Files_Versions\\Tests\\VersioningTest::testGetVersions":0.025,"OCA\\Files_Versions\\Tests\\VersioningTest::testGetVersionsEmptyFile":0.018,"OCA\\Files_Versions\\Tests\\VersioningTest::testExpireNonexistingFile":0.028,"OCA\\Files_Versions\\Tests\\VersioningTest::testExpireNonexistingUser":0.029,"OCA\\Files_Versions\\Tests\\VersioningTest::testRestoreSameStorage":0.101,"OCA\\Files_Versions\\Tests\\VersioningTest::testRestoreCrossStorage":0.032,"OCA\\Files_Versions\\Tests\\VersioningTest::testRestoreNoPermission":0.103,"OCA\\Files_Versions\\Tests\\VersioningTest::testRestoreMovedShare":0.019,"OCA\\Files_Versions\\Tests\\VersioningTest::testStoreVersionAsOwner":0.048,"OCA\\Files_Versions\\Tests\\VersioningTest::testStoreVersionAsRecipient":0.093,"OCA\\Files_Versions\\Tests\\VersioningTest::testStoreVersionAsAnonymous":0.049,"OCA\\Files_Versions\\Tests\\BackgroundJob\\ExpireVersionsTest::testBackgroundJobDeactivated":0.018,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #0":0.001,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #1":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #2":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #3":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #4":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #5":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #6":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #7":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #8":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #9":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #10":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #11":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #12":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #13":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #14":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #15":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #16":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #17":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #18":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #19":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #20":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #21":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #22":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #23":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #24":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #25":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #26":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #27":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #28":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #29":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #30":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #31":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #32":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #33":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #34":0,"OCA\\Files_Versions\\Tests\\ExpirationTest::testExpiration with data set #35":0,"OCA\\files_versions\\tests\\StorageTest::testExpireMaxAge":0.11,"OCA\\OAuth2\\Tests\\Controller\\LoginRedirectorControllerTest::testAuthorize":0.001,"OCA\\OAuth2\\Tests\\Controller\\LoginRedirectorControllerTest::testAuthorizeWrongResponseType":0,"OCA\\OAuth2\\Tests\\Controller\\LoginRedirectorControllerTest::testClientNotFound":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenInvalidGrantType":0.001,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenInvalidCode":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenInvalidRefreshToken":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenClientDoesNotExist":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenInvalidClient with data set #0":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenInvalidClient with data set #1":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenInvalidClient with data set #2":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenInvalidAppToken":0,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenValidAppToken":0.001,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenValidAppTokenBasicAuth":0.001,"OCA\\OAuth2\\Tests\\Controller\\OauthApiControllerTest::testGetTokenExpiredAppToken":0.001,"OCA\\OAuth2\\Tests\\Controller\\SettingsControllerTest::testAddClient":0.001,"OCA\\OAuth2\\Tests\\Controller\\SettingsControllerTest::testDeleteClient":0,"OCA\\OAuth2\\Tests\\Controller\\SettingsControllerTest::testInvalidRedirectUri":0,"OCA\\OAuth2\\Tests\\Db\\AccessTokenMapperTest::testGetByCode":0.001,"OCA\\OAuth2\\Tests\\Db\\AccessTokenMapperTest::testDeleteByClientId":0,"OCA\\OAuth2\\Tests\\Db\\ClientMapperTest::testGetByIdentifier":0.001,"OCA\\OAuth2\\Tests\\Db\\ClientMapperTest::testGetByIdentifierNotExisting":0,"OCA\\OAuth2\\Tests\\Db\\ClientMapperTest::testGetByUid":0,"OCA\\OAuth2\\Tests\\Db\\ClientMapperTest::testGetByUidNotExisting":0,"OCA\\OAuth2\\Tests\\Db\\ClientMapperTest::testGetClients":0,"OCA\\OAuth2\\Tests\\Settings\\AdminTest::testGetForm":0.001,"OCA\\OAuth2\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\OAuth2\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppsControllerTest::testGetAppInfo":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\AppsControllerTest::testGetAppInfoOnBadAppID":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppsControllerTest::testGetApps":0.034,"OCA\\Provisioning_API\\Tests\\Controller\\AppsControllerTest::testGetAppsEnabled":0.004,"OCA\\Provisioning_API\\Tests\\Controller\\AppsControllerTest::testGetAppsDisabled":0.007,"OCA\\Provisioning_API\\Tests\\Controller\\AppsControllerTest::testGetAppsInvalidFilter":0.004,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroups with data set #0":0.004,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroups with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroups with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroups with data set #3":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroups with data set #4":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupsDetails with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupsDetails with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupsDetails with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupsDetails with data set #3":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupsDetails with data set #4":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupAsSubadmin":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupAsIrrelevantSubadmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupAsAdmin":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupNonExisting":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetSubAdminsOfGroupsNotExists":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetSubAdminsOfGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetSubAdminsOfGroupEmptyList":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testAddGroupEmptyGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testAddGroupExistingGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testAddGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testAddGroupWithSpecialChar":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testDeleteGroupNonExisting":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testDeleteAdminGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testDeleteGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testDeleteGroupEncoding":0,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupUsersDetails":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\GroupsControllerTest::testGetGroupUsersDetailsEncoded":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testGetApps":0.002,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testGetKeys with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testGetKeys with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testGetValue with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testGetValue with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testSetValue with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testSetValue with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testSetValue with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testDeleteValue with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testDeleteValue with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testDeleteValue with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyAppId":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyAppIdThrows with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyAppIdThrows with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyAppIdThrows with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyAppIdThrows with data set #3":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKey with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKey with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKey with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKey with data set #3":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #3":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #4":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #5":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #6":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #7":0,"OCA\\Provisioning_API\\Tests\\Controller\\AppConfigControllerTest::testVerifyConfigKeyThrows with data set #8":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUsersAsAdmin":0.006,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUsersAsSubAdmin":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserAlreadyExisting":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserNonExistingGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserExistingGroupNonExistingGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserSuccessful":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserSuccessfulWithDisplayName":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserSuccessfulGenerateUserID":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserSuccessfulGeneratePassword":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserFailedToGenerateUserID":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserEmailRequired":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserExistingGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserUnsuccessful":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserAsSubAdminNoGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserAsSubAdminValidGroupNotSubAdmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddUserAsSubAdminExistingGroups":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUserTargetDoesNotExist":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUserDataAsAdmin":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUserDataAsSubAdminAndUserIsAccessible":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUserDataAsSubAdminAndUserIsNotAccessible":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUserDataAsSubAdminSelfLookup":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"Invalid country\"":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"No number to search\"":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"Valid number but no match\"":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"Invalid number\"":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"Invalid and valid number\"":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"Valid and invalid number\"":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"Valid number and a match\"":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testSearchByPhoneNumbers with data set \"Same number twice, later hits\"":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeDisplayName":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeEmailValid":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeEmailInvalid":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #3":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #4":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #5":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #6":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #7":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeProperty with data set #8":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #2":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #3":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #4":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #5":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #6":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #7":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePropertyScope with data set #8":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangePassword":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserRegularUserSelfEditChangeQuota":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserAdminUserSelfEditChangeValidQuota":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserAdminUserSelfEditChangeInvalidQuota":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserAdminUserEditChangeValidQuota":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserSelfEditChangeLanguage":0.077,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserSelfEditChangeLanguageButForced with data set #0":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserSelfEditChangeLanguageButForced with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserAdminEditChangeLanguage":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserAdminEditChangeLanguageInvalidLanguage with data set #0":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserAdminEditChangeLanguageInvalidLanguage with data set #1":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserSubadminUserAccessible":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEditUserSubadminUserInaccessible":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDeleteUserNotExistingUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDeleteUserSelf":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDeleteSuccessfulUserAsAdmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDeleteUnsuccessfulUserAsAdmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDeleteSuccessfulUserAsSubadmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDeleteUnsuccessfulUserAsSubadmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDeleteUserAsSubAdminAndUserIsNotAccessible":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUsersGroupsTargetUserNotExisting":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUsersGroupsSelfTargetted":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUsersGroupsForAdminUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUsersGroupsForSubAdminUserAndUserIsAccessible":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUsersGroupsForSubAdminUserAndUserIsInaccessible":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddToGroupWithTargetGroupNotExisting":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddToGroupWithNoGroupSpecified":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddToGroupWithTargetUserNotExisting":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddToGroupNoSubadmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddToGroupSuccessAsSubadmin":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddToGroupSuccessAsAdmin":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupWithNoTargetGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupWithEmptyTargetGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupWithNotExistingTargetGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupWithNotExistingTargetUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupWithoutPermission":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupAsAdminFromAdmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupAsSubAdminFromSubAdmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupAsSubAdminFromLastSubAdminGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveFromGroupSuccessful":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddSubAdminWithNotExistingTargetUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddSubAdminWithNotExistingTargetGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddSubAdminToAdminGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddSubAdminTwice":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testAddSubAdminSuccessful":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveSubAdminNotExistingTargetUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveSubAdminNotExistingTargetGroup":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveSubAdminFromNotASubadmin":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testRemoveSubAdminSuccessful":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUserSubAdminGroupsNotExistingTargetUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUserSubAdminGroupsWithGroups":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testEnableUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testDisableUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetCurrentUserLoggedIn":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetCurrentUserNotLoggedIn":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testResendWelcomeMessageWithNotExistingTargetUser":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testResendWelcomeMessageAsSubAdminAndUserIsNotAccessible":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testResendWelcomeMessageNoEmail":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testResendWelcomeMessageNullEmail":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testResendWelcomeMessageSuccess":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testResendWelcomeMessageSuccessWithFallbackLanguage":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testResendWelcomeMessageFailed":0,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetEditableFields with data set #0":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetEditableFields with data set #1":0.001,"OCA\\Provisioning_API\\Tests\\Controller\\UsersControllerTest::testGetEditableFields with data set #2":0.001,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #0":0.001,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #1":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #2":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #3":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #4":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #5":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #6":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #7":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #8":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #9":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #10":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #11":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #12":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testBeforeController with data set #13":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testAfterException with data set #0":0,"OCA\\Provisioning_API\\Tests\\Middleware\\ProvisioningApiMiddlewareTest::testAfterException with data set #1":0,"OCA\\Provisioning_API\\Tests\\unit\\CapabilitiesTest::testGetCapabilities with data set #0":0,"OCA\\Provisioning_API\\Tests\\unit\\CapabilitiesTest::testGetCapabilities with data set #1":0,"OCA\\Provisioning_API\\Tests\\unit\\CapabilitiesTest::testGetCapabilities with data set #2":0,"OCA\\Provisioning_API\\Tests\\unit\\CapabilitiesTest::testGetCapabilities with data set #3":0,"OCA\\Provisioning_API\\Tests\\unit\\CapabilitiesTest::testGetCapabilities with data set #4":0,"OCA\\Provisioning_API\\Tests\\unit\\CapabilitiesTest::testGetCapabilities with data set #5":0,"OCA\\Settings\\Tests\\SecurityFilterTest::testAllowedApps":0,"OCA\\Settings\\Tests\\SecurityFilterTest::testFilterTypes":0,"OCA\\Settings\\Tests\\SecurityFilterTest::testGetIcon":0,"OCA\\Settings\\Tests\\SecurityFilterTest::testGetIdentifier":0,"OCA\\Settings\\Tests\\SecurityFilterTest::testGetName":0,"OCA\\Settings\\Tests\\SecurityFilterTest::testGetPriority":0,"OCA\\Settings\\Tests\\SecurityProviderTest::testParseUnrelated":0.001,"OCA\\Settings\\Tests\\SecurityProviderTest::testParse with data set #0":0,"OCA\\Settings\\Tests\\SecurityProviderTest::testParse with data set #1":0,"OCA\\Settings\\Tests\\SecurityProviderTest::testParseInvalidSubject":0,"OCA\\Settings\\Tests\\SecuritySettingTest::testCanChangeMail":0,"OCA\\Settings\\Tests\\SecuritySettingTest::testCanChangeStream":0,"OCA\\Settings\\Tests\\SecuritySettingTest::testGetIdentifier":0,"OCA\\Settings\\Tests\\SecuritySettingTest::testGetName":0,"OCA\\Settings\\Tests\\SecuritySettingTest::testGetPriority":0,"OCA\\Settings\\Tests\\SecuritySettingTest::testIsDefaultEnabled":0,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerAppName":0,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #0":0.001,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #1":0.002,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #2":0.001,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #3":0.002,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #4":0,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #5":0.001,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #6":0.002,"OCA\\Settings\\Tests\\AppInfo\\ApplicationTest::testContainerQuery with data set #7":0.001,"OCA\\Settings\\Tests\\Controller\\TwoFactorSettingsControllerTest::testIndex":0,"OCA\\Settings\\Tests\\Controller\\TwoFactorSettingsControllerTest::testUpdate":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettings with data set #0":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettings with data set #1":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettings with data set #2":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettings with data set #3":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsWhenUserDisplayNameChangeNotAllowed":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsWhenFederatedFilesharingNotEnabled":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #0":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #1":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #2":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #3":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #4":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #5":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #6":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #7":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #8":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #9":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #10":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #11":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSetUserSettingsSubset with data set #12":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettings with data set #0":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettings with data set #1":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettings with data set #2":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettings with data set #3":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettings with data set #4":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettings with data set #5":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettingsException with data set #0":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettingsException with data set #1":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testSaveUserSettingsException with data set #2":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testGetVerificationCode with data set #0":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testGetVerificationCode with data set #1":0.001,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testGetVerificationCode with data set #2":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testGetVerificationCode with data set #3":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testGetVerificationCodeInvalidUser":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #0":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #1":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #2":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #3":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #4":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #5":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #6":0,"OCA\\Settings\\Tests\\Controller\\UsersControllerTest::testCanAdminChangeUserPasswords with data set #7":0,"OCA\\Settings\\Tests\\Controller\\AdminSettingsControllerTest::testIndex":0.024,"OCA\\Settings\\Tests\\Controller\\AppSettingsControllerTest::testListCategories":0.001,"OCA\\Settings\\Tests\\Controller\\AppSettingsControllerTest::testViewApps":0.005,"OCA\\Settings\\Tests\\Controller\\AppSettingsControllerTest::testViewAppsAppstoreNotEnabled":0.005,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testCreate":0.001,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testCreateSessionNotAvailable":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testCreateInvalidToken":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testDestroy":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testDestroyExpired":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testDestroyWrongUser":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateRename with data set \"App password => Other token name\"":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateRename with data set \"Other token name => App password\"":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateFilesystemScope with data set \"Grant filesystem access\"":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateFilesystemScope with data set \"Revoke filesystem access\"":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateNoChange":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateExpired":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateTokenWrongUser":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testUpdateTokenNonExisting":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testRemoteWipeNotSuccessful":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testRemoteWipeWrongUser":0,"Test\\Settings\\Controller\\AuthSettingsControllerTest::testRemoteWipeSuccessful":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsInternetConnectionWorkingDisabledViaConfig":0.005,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsInternetConnectionWorkingCorrectly":0.001,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsInternetConnectionFail":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMemcacheConfiguredFalse":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMemcacheConfiguredTrue":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsPhpSupportedFalse":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsPhpSupportedTrue":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testForwardedForHeadersWorking with data set \"no trusted proxies\"":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testForwardedForHeadersWorking with data set \"trusted proxy, remote addr not trusted proxy\"":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testForwardedForHeadersWorking with data set \"trusted proxy, remote addr is trusted proxy, x-forwarded-for working\"":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testForwardedForHeadersWorking with data set \"trusted proxy, remote addr is trusted proxy, x-forwarded-for not set\"":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testForwardedHostPresentButTrustedProxiesNotAnArray":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testForwardedHostPresentButTrustedProxiesEmpty":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testCheck":0.008,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testGetCurlVersion":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithAnotherLibrary":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithMisbehavingCurl":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithOlderOpenSsl":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithOlderOpenSslAndWithoutAppstore":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithOlderOpenSsl1":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithMatchingOpenSslVersion":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithMatchingOpenSslVersion1":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testAppDirectoryOwnersOk":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testAppDirectoryOwnersNotWritable":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsBuggyNss400":0.002,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsBuggyNss200":0.001,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithInternetDisabled":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithAppstoreDisabledAndServerToServerSharingEnabled":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsUsedTlsLibOutdatedWithAppstoreDisabledAndServerToServerSharingDisabled":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testRescanFailedIntegrityCheck":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testGetFailedIntegrityCheckDisabled":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testGetFailedIntegrityCheckFilesWithNoErrorsFound":0.001,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testGetFailedIntegrityCheckFilesWithSomeErrorsFound":0.001,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #0":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #1":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #2":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #3":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #4":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #5":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #6":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsMysqlUsedWithoutUTF8MB4 with data set #7":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #0":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #1":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #2":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #3":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #4":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #5":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #6":0,"OCA\\Settings\\Tests\\Controller\\CheckSetupControllerTest::testIsEnoughTempSpaceAvailableIfS3PrimaryStorageIsUsed with data set #7":0,"OCA\\Settings\\Tests\\Controller\\Admin\\DelegationControllerTest::testSaveSettings":0.001,"OCA\\Settings\\Tests\\Controller\\MailSettingsControllerTest::testSetMailSettings":0,"OCA\\Settings\\Tests\\Controller\\MailSettingsControllerTest::testStoreCredentials":0,"OCA\\Settings\\Tests\\Controller\\MailSettingsControllerTest::testSendTestMail":0,"OCA\\Settings\\Tests\\Mailer\\NewUserMailHelperTest::testGenerateTemplateWithPasswordResetToken":0.001,"OCA\\Settings\\Tests\\Mailer\\NewUserMailHelperTest::testGenerateTemplateWithoutPasswordResetToken":0,"OCA\\Settings\\Tests\\Mailer\\NewUserMailHelperTest::testGenerateTemplateWithoutUserId":0,"OCA\\Settings\\Tests\\Mailer\\NewUserMailHelperTest::testSendMail":0,"OCA\\Settings\\Tests\\Middleware\\SubadminMiddlewareTest::testBeforeControllerAsUserWithExemption":0,"OCA\\Settings\\Tests\\Middleware\\SubadminMiddlewareTest::testBeforeControllerAsUserWithoutExemption":0,"OCA\\Settings\\Tests\\Middleware\\SubadminMiddlewareTest::testBeforeControllerAsSubAdminWithoutExemption":0,"OCA\\Settings\\Tests\\Middleware\\SubadminMiddlewareTest::testBeforeControllerAsSubAdminWithExemption":0,"OCA\\Settings\\Tests\\Middleware\\SubadminMiddlewareTest::testAfterNotAdminException":0,"OCA\\Settings\\Tests\\Middleware\\SubadminMiddlewareTest::testAfterRegularException":0,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetFormWithOnlyOneBackend with data set #0":0.019,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetFormWithOnlyOneBackend with data set #1":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetFormWithMultipleBackends with data set #0":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetFormWithMultipleBackends with data set #1":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetSection":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\SecurityTest::testGetPriority":0,"OCA\\Settings\\Tests\\Settings\\Admin\\MailTest::testGetForm":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\MailTest::testGetSection":0,"OCA\\Settings\\Tests\\Settings\\Admin\\MailTest::testGetPriority":0,"OCA\\Settings\\Tests\\Settings\\Admin\\ServerTest::testGetForm":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\ServerTest::testGetSection":0,"OCA\\Settings\\Tests\\Settings\\Admin\\ServerTest::testGetPriority":0,"OCA\\Settings\\Tests\\Settings\\Admin\\SharingTest::testGetFormWithoutExcludedGroups":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\SharingTest::testGetFormWithExcludedGroups":0.001,"OCA\\Settings\\Tests\\Settings\\Admin\\SharingTest::testGetSection":0,"OCA\\Settings\\Tests\\Settings\\Admin\\SharingTest::testGetPriority":0,"OCA\\Settings\\Tests\\Settings\\Personal\\Security\\PasswordTest::testGetForm":0.001,"OCA\\Settings\\Tests\\Settings\\Personal\\Security\\AuthtokensTest::testGetForm":0.001,"OCA\\Settings\\Tests\\PhpDefaultCharsetTest::testPass":0,"OCA\\Settings\\Tests\\PhpDefaultCharsetTest::testFail":0,"OCA\\Settings\\Tests\\PhpOutputBufferingTest::testPass":0,"OCA\\Settings\\Tests\\SupportedDatabaseTest::testPass":0,"OCA\\ShareByMail\\Tests\\CapabilitiesTest::testGetCapabilities":0.01,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreate":0.01,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateSendPasswordByMailWithoutEnforcedPasswordProtection":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateSendPasswordByMailWithPasswordAndWithoutEnforcedPasswordProtection":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateSendPasswordByMailWithEnforcedPasswordProtection":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateSendPasswordByMailWithPasswordAndWithEnforcedPasswordProtection":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateSendPasswordByTalkWithEnforcedPasswordProtection":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateFailed":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateMailShare":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testCreateMailShareFailed":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGenerateToken":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testAddShareToDB":0.003,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdate":0.002,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdateSendPassword with data set #0":0.003,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdateSendPassword with data set #1":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdateSendPassword with data set #2":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdateSendPassword with data set #3":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdateSendPassword with data set #4":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdateSendPassword with data set #5":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUpdateSendPassword with data set #6":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testDelete":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetShareById":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetShareByIdFailed":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetShareByPath":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetShareByToken":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetShareByTokenFailed":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testRemoveShareFromTable":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testUserDeleted":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetRawShare":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetRawShareFailed":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetSharesInFolder":0.292,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testGetAccessList":0.252,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testSendMailNotificationWithSameUserAndUserEmail":0.004,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testSendMailNotificationWithSameUserAndUserEmailAndNote":0.001,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testSendMailNotificationWithDifferentUserAndNoUserEmail":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testSendMailNotificationWithSameUserAndUserEmailAndReplyToDesactivate":0,"OCA\\ShareByMail\\Tests\\ShareByMailProviderTest::testSendMailNotificationWithDifferentUserAndNoUserEmailAndReplyToDesactivate":0,"OCA\\SystemTags\\Tests\\Activity\\SettingTest::testGetIdentifier":0,"OCA\\SystemTags\\Tests\\Activity\\SettingTest::testGetName":0,"OCA\\SystemTags\\Tests\\Activity\\SettingTest::testGetPriority":0,"OCA\\SystemTags\\Tests\\Activity\\SettingTest::testCanChangeStream":0,"OCA\\SystemTags\\Tests\\Activity\\SettingTest::testIsDefaultEnabledStream":0,"OCA\\SystemTags\\Tests\\Activity\\SettingTest::testCanChangeMail":0,"OCA\\SystemTags\\Tests\\Activity\\SettingTest::testIsDefaultEnabledMail":0,"OCA\\SystemTags\\Tests\\Settings\\AdminTest::testGetForm":0.001,"OCA\\SystemTags\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\SystemTags\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\Theming\\Tests\\Controller\\IconControllerTest::testGetThemedIcon":0.005,"OCA\\Theming\\Tests\\Controller\\IconControllerTest::testGetFaviconDefault":0.001,"OCA\\Theming\\Tests\\Controller\\IconControllerTest::testGetFaviconFail":0.001,"OCA\\Theming\\Tests\\Controller\\IconControllerTest::testGetTouchIconDefault":0,"OCA\\Theming\\Tests\\Controller\\IconControllerTest::testGetTouchIconFail":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #0":0.002,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #1":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #2":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #3":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #4":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #5":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #6":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetSuccess with data set #7":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #0":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #1":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #2":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #3":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #4":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #5":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #6":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #7":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #8":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #9":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #10":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateStylesheetError with data set #11":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoNoData":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUploadSVGFaviconWithoutImagemagick":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoInvalidMimeType":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoNormalLogoUpload with data set #0":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoNormalLogoUpload with data set #1":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoNormalLogoUpload with data set #2":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoNormalLogoUpload with data set #3":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoNormalLogoUpload with data set #4":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoNormalLogoUpload with data set #5":0.001,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUpload with data set #0":0.001,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUpload with data set #1":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUpload with data set #2":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUpload with data set #3":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUpload with data set #4":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUpload with data set #5":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImage":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImageUpload with data set #0":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImageUpload with data set #1":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImageUpload with data set #2":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImageUpload with data set #3":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImageUpload with data set #4":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImageUpload with data set #5":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoLoginScreenUploadWithInvalidImageUpload with data set #6":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoUploadWithInvalidImageUpload with data set #0":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoUploadWithInvalidImageUpload with data set #1":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoUploadWithInvalidImageUpload with data set #2":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoUploadWithInvalidImageUpload with data set #3":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoUploadWithInvalidImageUpload with data set #4":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoUploadWithInvalidImageUpload with data set #5":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUpdateLogoUploadWithInvalidImageUpload with data set #6":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUndo":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUndoDelete with data set #0":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testUndoDelete with data set #1":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetLogoNotExistent":0.001,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetLogo":0.001,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetLoginBackgroundNotExistent":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetLoginBackground":0,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetStylesheet":0.001,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetStylesheetFails":0.001,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetStylesheetOutsideServerroot":0.001,"OCA\\Theming\\Tests\\Controller\\ThemingControllerTest::testGetManifest":0.001,"OCA\\Theming\\Tests\\Settings\\AdminTest::testGetFormNoErrors":0.001,"OCA\\Theming\\Tests\\Settings\\AdminTest::testGetFormWithErrors":0,"OCA\\Theming\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\Theming\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\Theming\\Tests\\Settings\\SectionTest::testGetID":0.001,"OCA\\Theming\\Tests\\Settings\\SectionTest::testGetName":0,"OCA\\Theming\\Tests\\Settings\\SectionTest::testGetPriority":0,"OCA\\Theming\\Tests\\Settings\\SectionTest::testGetIcon":0,"OCA\\Theming\\Tests\\CapabilitiesTest::testGetCapabilities with data set #0":0.007,"OCA\\Theming\\Tests\\CapabilitiesTest::testGetCapabilities with data set #1":0,"OCA\\Theming\\Tests\\CapabilitiesTest::testGetCapabilities with data set #2":0,"OCA\\Theming\\Tests\\CapabilitiesTest::testGetCapabilities with data set #3":0,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #0":0,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #1":0,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #2":0,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #3":0,"OCA\\Theming\\Tests\\IconBuilderTest::testRenderAppIcon with data set #4":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #0":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #1":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #2":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #3":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIcon with data set #4":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #0":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #1":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #2":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #3":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFavicon with data set #4":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetFaviconNotFound":0,"OCA\\Theming\\Tests\\IconBuilderTest::testGetTouchIconNotFound":0,"OCA\\Theming\\Tests\\IconBuilderTest::testColorSvgNotFound":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #0":0.001,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #1":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #2":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #3":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #4":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #5":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #6":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #7":0.001,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #8":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #9":0,"OCA\\Theming\\Tests\\ServicesTest::testContainerQuery with data set #10":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetNameWithDefault":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetNameWithCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetHTMLNameWithDefault":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetHTMLNameWithCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetTitleWithDefault":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetTitleWithCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetEntityWithDefault":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetEntityWithCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetBaseUrlWithDefault":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetBaseUrlWithCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetImprintURL with data set #0":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetImprintURL with data set #1":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetPrivacyURL with data set #0":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetPrivacyURL with data set #1":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetSloganWithDefault":0.001,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetSloganWithCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooter":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterEmptyUrl":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterEmptySlogan":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterImprint":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterPrivacy":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterAllLegalLinks":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterInvalidImprint with data set #0":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterInvalidImprint with data set #1":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterInvalidPrivacy with data set #0":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetShortFooterInvalidPrivacy with data set #1":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testgetColorPrimaryWithDefault":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testgetColorPrimaryWithCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testSet":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testUndoName":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testUndoBaseUrl":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testUndoSlogan":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testUndoColor":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testUndoDefaultAction":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetBackground":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetLogoDefaultWithSvg":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetLogoDefaultWithoutSvg":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetLogoCustom":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetScssVariablesCached":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetScssVariables":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetDefaultAndroidURL":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetCustomAndroidURL":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetDefaultiOSURL":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetCustomiOSURL":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetDefaultiTunesAppId":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testGetCustomiTunesAppId":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testReplaceImagePath with data set #0":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testReplaceImagePath with data set #1":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testReplaceImagePath with data set #2":0,"OCA\\Theming\\Tests\\ThemingDefaultsTest::testReplaceImagePath with data set #3":0,"OCA\\Theming\\Tests\\UtilTest::testInvertTextColor with data set #0":0,"OCA\\Theming\\Tests\\UtilTest::testInvertTextColor with data set #1":0,"OCA\\Theming\\Tests\\UtilTest::testInvertTextColor with data set #2":0,"OCA\\Theming\\Tests\\UtilTest::testInvertTextColor with data set #3":0,"OCA\\Theming\\Tests\\UtilTest::testCalculateLuminanceLight":0,"OCA\\Theming\\Tests\\UtilTest::testCalculateLuminanceDark":0,"OCA\\Theming\\Tests\\UtilTest::testCalculateLuminanceLightShorthand":0,"OCA\\Theming\\Tests\\UtilTest::testCalculateLuminanceDarkShorthand":0,"OCA\\Theming\\Tests\\UtilTest::testInvertTextColorInvalid":0,"OCA\\Theming\\Tests\\UtilTest::testInvertTextColorEmpty":0,"OCA\\Theming\\Tests\\UtilTest::testElementColorDefault":0,"OCA\\Theming\\Tests\\UtilTest::testElementColorOnDarkBackground":0,"OCA\\Theming\\Tests\\UtilTest::testElementColorOnBrightBackground":0,"OCA\\Theming\\Tests\\UtilTest::testGenerateRadioButtonWhite":0,"OCA\\Theming\\Tests\\UtilTest::testGenerateRadioButtonBlack":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppIcon with data set #0":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppIcon with data set #1":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppIcon with data set #2":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppIconThemed":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppImage with data set #0":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppImage with data set #1":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppImage with data set #2":0,"OCA\\Theming\\Tests\\UtilTest::testGetAppImage with data set #3":0,"OCA\\Theming\\Tests\\UtilTest::testColorizeSvg":0,"OCA\\Theming\\Tests\\UtilTest::testIsAlreadyThemedFalse":0,"OCA\\Theming\\Tests\\UtilTest::testIsAlreadyThemedTrue":0,"OCA\\Theming\\Tests\\UtilTest::testIsBackgroundThemed with data set #0":0,"OCA\\Theming\\Tests\\UtilTest::testIsBackgroundThemed with data set #1":0,"OCA\\Theming\\Tests\\UtilTest::testIsBackgroundThemed with data set #2":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImageUrl":0.001,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImageUrlDefault":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImageUrlAbsolute":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImage":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetImageUnset":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetCacheFolder":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetCacheFolderCreate":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetCachedImage":0,"OCA\\Theming\\Tests\\ImageManagerTest::testGetCachedImageNotFound":0,"OCA\\Theming\\Tests\\ImageManagerTest::testSetCachedImage":0,"OCA\\Theming\\Tests\\ImageManagerTest::testSetCachedImageCreate":0,"OCA\\Theming\\Tests\\ImageManagerTest::testCleanup":0,"OCA\\Theming\\Tests\\ImageManagerTest::testUpdateImage with data set #0":0.004,"OCA\\Theming\\Tests\\ImageManagerTest::testUpdateImage with data set #1":0.004,"OCA\\Theming\\Tests\\ImageManagerTest::testUpdateImage with data set #2":0.181,"OCA\\Theming\\Tests\\ImageManagerTest::testUpdateImage with data set #3":0.001,"OCA\\TwoFactorBackupCodes\\Tests\\Db\\BackupCodeMapperTest::testGetBackupCodes":0.001,"OCA\\TwoFactorBackupCodes\\Tests\\Db\\BackupCodeMapperTest::testDeleteCodes":0,"OCA\\TwoFactorBackupCodes\\Tests\\Db\\BackupCodeMapperTest::testInsertArgonEncryptedCodes":0,"OCA\\TwoFactorBackupCodes\\Tests\\Service\\BackupCodeStorageTest::testSimpleWorkFlow":2.589,"OCA\\TwoFactorBackupCodes\\Test\\Unit\\Activity\\ProviderTest::testParseUnrelated":0,"OCA\\TwoFactorBackupCodes\\Test\\Unit\\Activity\\ProviderTest::testParse with data set #0":0,"OCA\\TwoFactorBackupCodes\\Test\\Unit\\Activity\\ProviderTest::testParseInvalidSubject":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\BackgroundJob\\CheckBackupCodeTest::testRunAlreadyGenerated":0.001,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\BackgroundJob\\CheckBackupCodeTest::testRun":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\BackgroundJob\\CheckBackupCodeTest::testRunNoProviders":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\BackgroundJob\\RememberBackupCodesJobTest::testInvalidUID":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\BackgroundJob\\RememberBackupCodesJobTest::testBackupCodesGenerated":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\BackgroundJob\\RememberBackupCodesJobTest::testNoActiveProvider":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\BackgroundJob\\RememberBackupCodesJobTest::testNotificationSend":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Controller\\SettingsControllerTest::testCreateCodes":0.001,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Event\\CodesGeneratedTest::testCodeGeneratedEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ActivityPublisherTest::testHandleGenericEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ActivityPublisherTest::testHandleCodesGeneratedEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ClearNotificationsTest::testHandleGenericEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ClearNotificationsTest::testHandleCodesGeneratedEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ProviderDisabledTest::testHandleGenericEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ProviderDisabledTest::testHandleStillActiveProvider":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ProviderDisabledTest::testHandleNoActiveProvider":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ProviderEnabledTest::testHandleGenericEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ProviderEnabledTest::testHandleCodesGeneratedEventAlraedyBackupcodes":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\ProviderEnabledTest::testHandleCodesGeneratedEventNoBackupcodes":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\RegistryUpdaterTest::testHandleGenericEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Listener\\RegistryUpdaterTest::testHandleCodesGeneratedEvent":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Migration\\CheckBackupCodeTest::testGetName":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Migration\\CheckBackupCodeTest::testRun":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Notification\\NotifierTest::testPrepareWrongApp":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Notification\\NotifierTest::testPrepareWrongSubject":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Notification\\NotifierTest::testPrepare":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testGetId":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testGetDisplayName":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testGetDescription":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testGetTempalte":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testVerfiyChallenge":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testIsTwoFactorEnabledForUser":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testIsActiveNoProviders":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testIsActiveWithProviders":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Provider\\BackupCodesProviderTest::testDisable":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testCreateCodes":0.001,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testHasBackupCodes":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testHasBackupCodesNoCodes":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testGetBackupCodeState":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testGetBackupCodeDisabled":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testValidateCode":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testValidateUsedCode":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testValidateCodeWithWrongHash":0,"OCA\\TwoFactorBackupCodes\\Tests\\Unit\\Service\\BackupCodeStorageTest::testDeleteCodes":0,"OCA\\UpdateNotification\\Tests\\Controller\\AdminControllerTest::testCreateCredentials":0.057,"OCA\\UpdateNotification\\Tests\\Notification\\NotifierTest::testUpdateAlreadyInstalledCheck with data set #0":0.001,"OCA\\UpdateNotification\\Tests\\Notification\\NotifierTest::testUpdateAlreadyInstalledCheck with data set #1":0,"OCA\\UpdateNotification\\Tests\\Notification\\NotifierTest::testUpdateAlreadyInstalledCheck with data set #2":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testRun":0.002,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #0":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #1":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #2":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #3":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #4":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #5":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #6":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #7":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #8":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #9":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #10":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #11":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #12":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckCoreUpdate with data set #13":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCheckAppUpdates with data set #0":0.001,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCreateNotifications with data set #0":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCreateNotifications with data set #1":0.001,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testCreateNotifications with data set #2":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testGetUsersToNotify with data set #0":0.001,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testGetUsersToNotify with data set #1":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testDeleteOutdatedNotifications with data set #0":0,"OCA\\UpdateNotification\\Tests\\Notification\\BackgroundJobTest::testDeleteOutdatedNotifications with data set #1":0,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetFormWithUpdate":0.003,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetFormWithUpdateAndChangedUpdateServer":0.001,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetFormWithUpdateAndCustomersUpdateServer":0.001,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testFilterChanges with data set #0":0.001,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testFilterChanges with data set #1":0,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testFilterChanges with data set #2":0,"OCA\\UpdateNotification\\Tests\\Settings\\AdminTest::testFilterChanges with data set #3":0,"OCA\\UpdateNotification\\Tests\\ResetTokenBackgroundJobTest::testRunWithNotExpiredToken":0.001,"OCA\\UpdateNotification\\Tests\\ResetTokenBackgroundJobTest::testRunWithExpiredToken":0,"OCA\\UpdateNotification\\Tests\\UpdateCheckerTest::testGetUpdateStateWithUpdateAndInvalidLink":0.001,"OCA\\UpdateNotification\\Tests\\UpdateCheckerTest::testGetUpdateStateWithUpdateAndValidLink":0,"OCA\\UpdateNotification\\Tests\\UpdateCheckerTest::testGetUpdateStateWithoutUpdate":0,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runNotAllowedByDisabledConfigurations":0.002,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runNotAllowedByBrokenHelper":0,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runNotAllowedBySysConfig":0,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_runIsAllowed":0,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_OffsetResetIsNecessary":0,"OCA\\User_LDAP\\Tests\\Jobs\\CleanUpTest::test_OffsetResetIsNotNecessary":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #0":0.001,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #1":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #2":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #3":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testUpdateInterval with data set #4":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #0":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #1":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #2":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #3":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testMoreResults with data set #4":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #0":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #1":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #2":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #3":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #4":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testDetermineNextCycle with data set #5":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testQualifiesToRun":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testRun with data set #0":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testRun with data set #1":0,"OCA\\User_LDAP\\Tests\\Jobs\\SyncTest::testRun with data set #2":0,"OCA\\user_ldap\\tests\\Jobs\\UpdateGroupsTest::testHandleKnownGroups":0.005,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testIsColNameValid":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testMap":0.002,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testUnmap":0.001,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testGetMethods":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testSearch":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testSetDNMethod":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testSetUUIDMethod":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testClear":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testClearCb":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testList":0,"OCA\\User_LDAP\\Tests\\Mapping\\GroupMappingTest::testGetListOfIdsByDn":0.279,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testIsColNameValid":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testMap":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testUnmap":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testGetMethods":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testSearch":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testSetDNMethod":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testSetUUIDMethod":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testClear":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testClearCb":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testList":0,"OCA\\User_LDAP\\Tests\\Mapping\\UserMappingTest::testGetListOfIdsByDn":0.266,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunSingleRecord":0.001,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunValidRecord":0,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunRemovedRecord":0,"OCA\\Group_LDAP\\Tests\\Migration\\UUIDFixGroupTest::testRunManyRecords":0,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testGetName":0.001,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testRun with data set #0":0,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testRunWithManyAndNone with data set #0":0,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixInsertTest::testDonNotRun":0,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunSingleRecord":0,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunValidRecord":0,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunRemovedRecord":0,"OCA\\User_LDAP\\Tests\\Migration\\UUIDFixUserTest::testRunManyRecords":0,"OCA\\User_LDAP\\Tests\\Settings\\AdminTest::testGetForm":0.006,"OCA\\User_LDAP\\Tests\\Settings\\AdminTest::testGetSection":0,"OCA\\User_LDAP\\Tests\\Settings\\AdminTest::testGetPriority":0,"OCA\\User_LDAP\\Tests\\Settings\\SectionTest::testGetID":0.001,"OCA\\User_LDAP\\Tests\\Settings\\SectionTest::testGetName":0,"OCA\\User_LDAP\\Tests\\Settings\\SectionTest::testGetPriority":0,"OCA\\User_LDAP\\Tests\\Settings\\SectionTest::testGetIcon":0,"OCA\\User_LDAP\\Tests\\User\\DeletedUsersIndexTest::testMarkAndFetchUser":0.001,"OCA\\User_LDAP\\Tests\\User\\DeletedUsersIndexTest::testUnmarkUser":0.001,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #0":0.001,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #1":0,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #2":0,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #3":0,"OCA\\User_LDAP\\Tests\\User\\OfflineUserTest::testHasActiveShares with data set #4":0,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetByDNExisting with data set #0":0.001,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetByDNExisting with data set #1":0,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetByDNExisting with data set #2":0,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetByDNNotExisting":0,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetByUidExisting":0,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetByUidNotExisting":0,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetAttributes with data set #0":0,"OCA\\User_LDAP\\Tests\\User\\ManagerTest::testGetAttributes with data set #1":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testGetDNandUsername":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateEmailProvided":0.001,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateEmailNotProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateEmailNotConfigured":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaAllProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaToDefaultAllProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaToNoneAllProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaDefaultProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaIndividualProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaNoneProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaNoneConfigured":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateQuotaFromValue":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateWrongQuotaAllProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateWrongDefaultQuotaProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateWrongQuotaAndDefaultAllProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateWrongDefaultQuotaNotProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateAvatarKnownJpegPhotoProvided":0.001,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateAvatarCorruptPhotoProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateAvatarNotProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateExtStorageHome with data set #0":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateExtStorageHome with data set #1":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testUpdateExtStorageHome with data set #2":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testMarkLogin":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testGetAvatarImageProvided":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testGetAvatarImageDisabled":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testProcessAttributes":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testGetHomePathNotConfigured with data set \"empty\"":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testGetHomePathNotConfigured with data set \"prefixOnly\"":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testGetHomePathConfiguredNotAvailableAllowed":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testGetHomePathConfiguredNotAvailableNotAllowed":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testComposeAndStoreDisplayName with data set #0":0.002,"OCA\\User_LDAP\\Tests\\User\\UserTest::testComposeAndStoreDisplayName with data set #1":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testComposeAndStoreDisplayName with data set #2":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testComposeAndStoreDisplayName with data set #3":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testComposeAndStoreDisplayName with data set #4":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testComposeAndStoreDisplayNameNoOverwrite":0,"OCA\\User_LDAP\\Tests\\User\\UserTest::testHandlePasswordExpiryWarningDefaultPolicy":0.002,"OCA\\User_LDAP\\Tests\\User\\UserTest::testHandlePasswordExpiryWarningCustomPolicy":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set general base\"":0.001,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set user base\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set group base\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set search attributes users\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set search attributes groups\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set user filter objectclasses\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set user filter groups\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set group filter objectclasses\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set group filter groups\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set login filter attributes\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set agent password\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set home folder, variant 1\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set home folder, variant 2\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set home folder, empty\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set string value\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set avatar rule, default\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set avatar rule, none\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set avatar rule, data attribute\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testSetValue with data set \"set external storage home attribute\"":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testGetAvatarAttributes with data set #0":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testGetAvatarAttributes with data set #1":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testGetAvatarAttributes with data set #2":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testGetAvatarAttributes with data set #3":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testGetAvatarAttributes with data set #4":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testGetAvatarAttributes with data set #5":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testResolveRule with data set #0":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testResolveRule with data set #1":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testResolveRule with data set #2":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testResolveRule with data set #3":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testResolveRule with data set #4":0,"OCA\\User_LDAP\\Tests\\ConfigurationTest::testResolveRule with data set #5":0,"OCA\\User_LDAP\\Tests\\ConnectionTest::testOriginalAgentUnchangedOnClone":0.001,"OCA\\User_LDAP\\Tests\\ConnectionTest::testUseBackupServer":0,"OCA\\User_LDAP\\Tests\\ConnectionTest::testDontUseBackupServerOnFailedAuth":0,"OCA\\User_LDAP\\Tests\\ConnectionTest::testBindWithInvalidCredentials":0,"OCA\\User_LDAP\\Tests\\ConnectionTest::testStartTlsNegotiationFailure":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testImplementsActions":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testCreateGroup":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testCreateGroupNotRegistered":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testDeleteGroup":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testDeleteGroupNotRegistered":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testAddToGroup":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testAddToGroupNotRegistered":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testRemoveFromGroup":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testRemoveFromGroupNotRegistered":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testCountUsersInGroup":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testCountUsersInGroupNotRegistered":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testgetGroupDetails":0,"OCA\\User_LDAP\\Tests\\GroupLDAPPluginTest::testgetGroupDetailsNotRegistered":0,"OCA\\User_LDAP\\Tests\\HelperTest::testGetServerConfigurationPrefixes":0,"OCA\\User_LDAP\\Tests\\HelperTest::testGetServerConfigurationPrefixesActive":0,"OCA\\User_LDAP\\Tests\\HelperTest::testGetServerConfigurationHost":0,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserDNUserIDNotFound":0.006,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserDN":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupDNGroupIDNotFound":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupDN":0.007,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserName":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testDNasBaseParameter":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testSanitizeDN":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPConnectionUserIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPConnection":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupLDAPConnectionGroupIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetGroupLDAPConnection":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseUsersUserIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseUsers":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseGroupsUserIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPBaseGroups":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearCacheUserIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearCache":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearGroupCacheGroupIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testClearGroupCache":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testDnExists":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testFlagRecord":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testUnflagRecord":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPDisplayNameFieldUserIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPDisplayNameField":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPEmailFieldUserIDNotFound":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPEmailField":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetLDAPGroupMemberAssocUserIDNotFound":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testgetLDAPGroupMemberAssoc":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttributeUserNotFound":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttributeCacheHit":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttributeLdapError":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetMultiValueUserAttribute":0.002,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserAttributeLdapError":0.003,"OCA\\User_LDAP\\Tests\\LDAPProviderTest::testGetUserAttribute":0.017,"OCA\\User_LDAP\\Tests\\LDAPTest::testSearchWithErrorHandler with data set #0":0.001,"OCA\\User_LDAP\\Tests\\LDAPTest::testSearchWithErrorHandler with data set #1":0,"OCA\\User_LDAP\\Tests\\LDAPTest::testModReplace":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testImplementsActions":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testCreateUser":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testCreateUserNotRegistered":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testSetPassword":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testSetPasswordNotRegistered":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testGetHome":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testGetHomeNotRegistered":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testGetDisplayName":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testGetDisplayNameNotRegistered":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testSetDisplayName":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testSetDisplayNameNotRegistered":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testCanChangeAvatar":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testCanChangeAvatarNotRegistered":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testCountUsers":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testCountUsersNotRegistered":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testDeleteUser":0,"OCA\\User_LDAP\\Tests\\UserLDAPPluginTest::testDeleteUserNotRegistered":0,"OCA\\User_LDAP\\Tests\\User_ProxyTest::testSetPassword":0,"OCA\\User_LDAP\\Tests\\User_ProxyTest::testSetDisplayName":0,"OCA\\User_LDAP\\Tests\\User_ProxyTest::testCreateUser":0,"OCA\\User_LDAP\\Tests\\AccessTest::testEscapeFilterPartValidChars":0.015,"OCA\\User_LDAP\\Tests\\AccessTest::testEscapeFilterPartEscapeWildcard":0,"OCA\\User_LDAP\\Tests\\AccessTest::testEscapeFilterPartEscapeWildcard2":0,"OCA\\User_LDAP\\Tests\\AccessTest::testConvertSID2StrSuccess with data set #0":0,"OCA\\User_LDAP\\Tests\\AccessTest::testConvertSID2StrSuccess with data set #1":0,"OCA\\User_LDAP\\Tests\\AccessTest::testConvertSID2StrInputError":0,"OCA\\User_LDAP\\Tests\\AccessTest::testGetDomainDNFromDNSuccess":0.003,"OCA\\User_LDAP\\Tests\\AccessTest::testGetDomainDNFromDNError":0,"OCA\\User_LDAP\\Tests\\AccessTest::testStringResemblesDN with data set #0":0.006,"OCA\\User_LDAP\\Tests\\AccessTest::testStringResemblesDNLDAPmod with data set #0":0,"OCA\\User_LDAP\\Tests\\AccessTest::testCacheUserHome":0,"OCA\\User_LDAP\\Tests\\AccessTest::testBatchApplyUserAttributes":0.002,"OCA\\User_LDAP\\Tests\\AccessTest::testBatchApplyUserAttributesSkipped":0,"OCA\\User_LDAP\\Tests\\AccessTest::testBatchApplyUserAttributesDontSkip":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"dn\"":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"uniqueMember\"":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"member\"":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeDN with data set \"memberOf\"":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPasswordWithDisabledChanges":0.001,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPasswordWithLdapNotAvailable":0.001,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPasswordWithRejectedChange":0.002,"OCA\\User_LDAP\\Tests\\AccessTest::testSetPassword":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSearchNoPagedSearch":0.012,"OCA\\User_LDAP\\Tests\\AccessTest::testFetchListOfUsers":0,"OCA\\User_LDAP\\Tests\\AccessTest::testFetchListOfGroupsKnown":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #0":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #1":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #2":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #3":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #4":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #5":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #6":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #7":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #8":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeUsername with data set #9":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #0":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #1":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #2":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #3":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #4":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #5":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #6":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #7":0,"OCA\\User_LDAP\\Tests\\AccessTest::testSanitizeGroupIDCandidate with data set #8":0,"OCA\\User_LDAP\\Tests\\AccessTest::testUserStateUpdate":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountEmptySearchString":0.047,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountWithSearchString":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountUsersWithPlugin":0.002,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGidNumber2NameSuccess":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGidNumberID2NameNoGroup":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGidNumberID2NameNoName":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGidNumberValue":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGidNumberNoValue":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameSuccessCache":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameSuccess":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameNoSID":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameNoGroup":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testPrimaryGroupID2NameNoName":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGroupIDValue":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetEntryGroupIDNoValue":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupHitsUidGidCache":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupMember with data set #0":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupMemberNot with data set #0":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testInGroupMemberUid with data set #0":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupsWithOffset":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testUsersInGroupPrimaryMembersOnly":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testUsersInGroupPrimaryAndUnixMembers":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCountUsersInGroupPrimaryMembersOnly":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetUserGroupsMemberOf":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetUserGroupsMemberOfDisabled":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupsByMember with data set #0":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupsByMember with data set #1":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCreateGroupWithPlugin":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testCreateGroupFailing":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testDeleteGroupWithPlugin":0.002,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testDeleteGroupFailing":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testAddToGroupWithPlugin":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testAddToGroupFailing":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testRemoveFromGroupWithPlugin":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testRemoveFromGroupFailing":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupDetailsWithPlugin":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetGroupDetailsFailing":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #0":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #1":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetDisplayName with data set #0":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGetDisplayName with data set #1":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCheckPasswordUidReturn":0.001,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCheckPasswordWrongPassword":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCheckPasswordWrongUser":0.001,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCheckPasswordNoDisplayName":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCheckPasswordPublicAPI":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCheckPasswordPublicAPIWrongPassword":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCheckPasswordPublicAPIWrongUser":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testDeleteUserCancel":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testDeleteUserSuccess":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testDeleteUserWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersNoParam":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersLimitOffset":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersLimitOffset2":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersSearchWithResult":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersSearchEmptyResult":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersViaAPINoParam":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersViaAPILimitOffset":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersViaAPILimitOffset2":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersViaAPISearchWithResult":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetUsersViaAPISearchEmptyResult":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testUserExists":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testUserExistsForDeleted":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testUserExistsForNeverExisting":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testUserExistsPublicAPI":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testDeleteUserExisting":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetHomeAbsolutePath":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetHomeRelative":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetHomeNoPath":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetHomeDeletedUser":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetHomeWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetDisplayName":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetDisplayNamePublicAPI":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testGetDisplayNameWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCountUsers":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCountUsersFailing":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCountUsersWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testLoginName2UserNameSuccess":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testLoginName2UserNameNoUsersOnLDAP":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testLoginName2UserNameOfflineUser":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetPasswordInvalid":0.001,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetPasswordValid":0.001,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetPasswordValidDisabled":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetPasswordWithInvalidUser":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetPasswordWithUsernameFalse":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetPasswordWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCanChangeAvatar with data set #0":0.001,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCanChangeAvatar with data set #1":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCanChangeAvatar with data set #2":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCanChangeAvatarWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetDisplayNameWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetDisplayNameErrorWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testSetDisplayNameFailing":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCreateUserWithPlugin":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testCreateUserFailing":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testImplementsAction with data set #0":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testImplementsAction with data set #1":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testImplementsAction with data set #2":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testImplementsAction with data set #3":0,"OCA\\User_LDAP\\Tests\\User_LDAPTest::testImplementsAction with data set #4":0,"OCA\\User_LDAP\\Tests\\WizardTest::testCumulativeSearchOnAttributeLimited":0.003,"OCA\\User_LDAP\\Tests\\WizardTest::testCumulativeSearchOnAttributeUnlimited":0.001,"OCA\\User_LDAP\\Tests\\WizardTest::testDetectEmailAttributeAlreadySet":0,"OCA\\User_LDAP\\Tests\\WizardTest::testDetectEmailAttributeOverrideSet":0,"OCA\\User_LDAP\\Tests\\WizardTest::testDetectEmailAttributeFind":0,"OCA\\User_LDAP\\Tests\\WizardTest::testDetectEmailAttributeFindNothing":0,"OCA\\User_LDAP\\Tests\\WizardTest::testCumulativeSearchOnAttributeSkipReadDN":0,"OCA\\UserStatus\\Tests\\BackgroundJob\\ClearOldStatusesBackgroundJobTest::testRun":0.001,"OCA\\UserStatus\\Tests\\Connector\\UserStatusProviderTest::testGetUserStatuses":0.001,"OCA\\UserStatus\\Tests\\Connector\\UserStatusTest::testUserStatus":0,"OCA\\UserStatus\\Tests\\Connector\\UserStatusTest::testUserStatusInvisible":0,"OCA\\UserStatus\\Tests\\Controller\\PredefinedStatusControllerTest::testFindAll":0,"OCA\\UserStatus\\Tests\\Controller\\StatusesControllerTest::testFindAll":0,"OCA\\UserStatus\\Tests\\Controller\\StatusesControllerTest::testFind":0,"OCA\\UserStatus\\Tests\\Controller\\StatusesControllerTest::testFindDoesNotExist":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testGetStatus":0.001,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testGetStatusDoesNotExist":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetStatus with data set #0":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetStatus with data set #1":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetPredefinedMessage with data set #0":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetPredefinedMessage with data set #1":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetPredefinedMessage with data set #2":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetCustomMessage with data set #0":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetCustomMessage with data set #1":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetCustomMessage with data set #2":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetCustomMessage with data set #3":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testSetCustomMessage with data set #4":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testClearStatus":0,"OCA\\UserStatus\\Tests\\Controller\\UserStatusControllerTest::testClearMessage":0,"OCA\\UserStatus\\Tests\\Dashboard\\UserStatusWidgetTest::testGetId":0.001,"OCA\\UserStatus\\Tests\\Dashboard\\UserStatusWidgetTest::testGetTitle":0,"OCA\\UserStatus\\Tests\\Dashboard\\UserStatusWidgetTest::testGetOrder":0,"OCA\\UserStatus\\Tests\\Dashboard\\UserStatusWidgetTest::testGetIconClass":0,"OCA\\UserStatus\\Tests\\Dashboard\\UserStatusWidgetTest::testGetUrl":0,"OCA\\UserStatus\\Tests\\Dashboard\\UserStatusWidgetTest::testLoadNoUserSession":0,"OCA\\UserStatus\\Tests\\Dashboard\\UserStatusWidgetTest::testLoadWithCurrentUser":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testGetTableName":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testGetFindAll":0.001,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testFindAllRecent":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testGetFind":0.001,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testFindByUserIds":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testUserIdUnique":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #0":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #1":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #2":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #3":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #4":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #5":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #6":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #7":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #8":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #9":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #10":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #11":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearStatusesOlderThan with data set #12":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testClearMessagesOlderThan":0.001,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testCreateBackupStatus with data set #0":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testCreateBackupStatus with data set #1":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testCreateBackupStatus with data set #2":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testCreateBackupStatus with data set #3":0,"OCA\\UserStatus\\Tests\\Db\\UserStatusMapperTest::testRestoreBackupStatuses":0.001,"OCA\\UserStatus\\Tests\\Listener\\UserDeletedListenerTest::testHandleWithCorrectEvent":0,"OCA\\UserStatus\\Tests\\Listener\\UserDeletedListenerTest::testHandleWithWrongEvent":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #0":0.001,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #1":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #2":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #3":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #4":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #5":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #6":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithCorrectEvent with data set #7":0,"OCA\\UserStatus\\Tests\\Listener\\UserLiveStatusListenerTest::testHandleWithWrongEvent":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testDoesPlatformSupportEmoji with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testDoesPlatformSupportEmoji with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #2":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #3":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #4":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #5":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #6":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #7":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #8":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #9":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #10":0,"OCA\\UserStatus\\Tests\\Service\\EmojiServiceTest::testIsValidEmoji with data set #11":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetDefaultStatuses":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetIconForId with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetIconForId with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetIconForId with data set #2":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetIconForId with data set #3":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetIconForId with data set #4":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetIconForId with data set #5":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetIconForId with data set #6":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetTranslatedStatusForId with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetTranslatedStatusForId with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetTranslatedStatusForId with data set #2":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetTranslatedStatusForId with data set #3":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetTranslatedStatusForId with data set #4":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetTranslatedStatusForId with data set #5":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetTranslatedStatusForId with data set #6":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testIsValidId with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testIsValidId with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testIsValidId with data set #2":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testIsValidId with data set #3":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testIsValidId with data set #4":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testIsValidId with data set #5":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testIsValidId with data set #6":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetDefaultStatusById":0,"OCA\\UserStatus\\Tests\\Service\\PredefinedStatusServiceTest::testGetDefaultStatusByUnknownId":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindAll":0.001,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindAllRecentStatusChanges":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindAllRecentStatusChangesNoEnumeration":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindByUserId":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindByUserIdDoesNotExist":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindAllAddDefaultMessage":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindAllClearStatus":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testFindAllClearMessage":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #2":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #3":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #4":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #5":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #6":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #7":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #8":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #9":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #10":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #11":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #12":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #13":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #14":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #15":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #16":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #17":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #18":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #19":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #20":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #21":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #22":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #23":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #24":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #25":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #26":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #27":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #28":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #29":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #30":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #31":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #32":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #33":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #34":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #35":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #36":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #37":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #38":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #39":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #40":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #41":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #42":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #43":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #44":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #45":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #46":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetStatus with data set #47":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #2":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #3":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #4":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #5":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #6":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetPredefinedMessage with data set #7":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #0":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #1":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #2":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #3":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #4":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #5":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #6":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #7":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #8":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #9":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #10":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testSetCustomMessage with data set #11":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testClearStatus":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testClearStatusDoesNotExist":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testClearMessage":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testClearMessageDoesNotExist":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testRemoveUserStatus":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testRemoveUserStatusDoesNotExist":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testCleanStatusAutomaticOnline":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testCleanStatusCustomOffline":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testCleanStatusCleanedAlready":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testBackupWorkingHasBackupAlready":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testBackupThrowsOther":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testBackup":0,"OCA\\UserStatus\\Tests\\Service\\StatusServiceTest::testRevertMultipleUserStatus":0,"OCA\\UserStatus\\Tests\\CapabilitiesTest::testGetCapabilities with data set #0":0,"OCA\\UserStatus\\Tests\\CapabilitiesTest::testGetCapabilities with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #0":0.001,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #6":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testExecuteStringCheck with data set #7":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheck with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheck with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheck with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheck with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheckInvalid with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheckInvalid with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheckInvalid with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testValidateCheckInvalid with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testMatch with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\AbstractStringCheckTest::testMatch with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv4 with data set #0":0.001,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv4 with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv4 with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv4 with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv4 with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv4 with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv4 with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv4 with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv4 with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv4 with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv4 with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv4 with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv6 with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv6 with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv6 with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv6 with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv6 with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv6 with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckMatchesIPv6 with data set #6":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv6 with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv6 with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv6 with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv6 with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv6 with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv6 with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestRemoteAddressTest::testExecuteCheckNotMatchesIPv6 with data set #6":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #6":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #7":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #8":0.001,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #9":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #10":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #11":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #12":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #13":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #14":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #15":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #16":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #17":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #18":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #19":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #20":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #21":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #22":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckIn with data set #23":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #6":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #7":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #8":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #9":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #10":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #11":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #12":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #13":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #14":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #15":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #16":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #17":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #18":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #19":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #20":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #21":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #22":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testExecuteCheckNotIn with data set #23":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheck with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheck with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheck with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheckInvalid with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheckInvalid with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheckInvalid with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheckInvalid with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheckInvalid with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheckInvalid with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestTimeTest::testValidateCheckInvalid with data set #6":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #0":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #1":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #2":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #3":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #4":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #5":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #6":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #7":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #8":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #9":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #10":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #11":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #12":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #13":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #14":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #15":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #16":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #17":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #18":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #19":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #20":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #21":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #22":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #23":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #24":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #25":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #26":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #27":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #28":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #29":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #30":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #31":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #32":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #33":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #34":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #35":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #36":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #37":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #38":0,"OCA\\WorkflowEngine\\Tests\\Check\\RequestUserAgentTest::testExecuteCheck with data set #39":0,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testChecks":0.001,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testScope":0.001,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testGetAllOperations":0.001,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testGetOperations":0.001,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testUpdateOperation":0.003,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testDeleteOperation":0.001,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testGetEntitiesListBuildInOnly":0.001,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testGetEntitiesList":0.001,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testValidateOperationOK":0,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testValidateOperationCheckInputLengthError":0,"OCA\\WorkflowEngine\\Tests\\ManagerTest::testValidateOperationDataLengthError":0,"Test\\DB\\MigrationsTest::testEnsureOracleConstraintsStringLength4000":0,"Test\\Files\\Cache\\ScannerTest::tearDownAfterClass":0,"Test\\DB\\MigratorTest::testNotNullEmptyValuesFailOracle with data set #6":0.014,"Warning":0,"Test\\Metadata\\FileMetadataMapperTest::testFindForGroupForFiles":0.001,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSize":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSizeMin":0,"Tests\\Core\\Controller\\AvatarControllerTest::testGetAvatarSizeMax":0,"Tests\\Core\\Controller\\AutoCompleteControllerTest::testGet with data set #4":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #8":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #9":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #10":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #11":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #12":0,"Test\\Collaboration\\Collaborators\\UserPluginTest::testSearchEnumerationLimit with data set #13":0,"Test\\EmojiHelperTest::testDoesPlatformSupportEmoji with data set #0":0,"Test\\EmojiHelperTest::testDoesPlatformSupportEmoji with data set #1":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #0":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #4":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #5":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #6":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #7":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #8":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #9":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #10":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #11":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #12":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #13":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #14":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #15":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #16":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #17":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #18":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #19":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #20":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #21":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #22":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #23":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #24":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #25":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #26":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #27":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #28":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #29":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #30":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #31":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #32":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #33":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #34":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #35":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #36":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #37":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #38":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #39":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #40":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #41":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #42":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #43":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #44":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #45":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #46":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #47":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #48":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #49":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #50":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #51":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #52":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #53":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #54":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #55":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #56":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #57":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #58":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #59":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #60":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #61":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #62":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #63":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #64":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #65":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #66":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #67":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #68":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #69":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #70":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #71":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #72":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #73":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #74":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #75":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #76":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #77":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #78":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #79":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #80":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #81":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #82":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #83":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #84":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #85":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #86":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #87":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #88":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #89":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #90":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #91":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #92":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #93":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #94":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #95":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #96":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #97":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #98":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #99":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #100":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #101":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #102":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #103":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #104":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #105":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #106":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #107":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #108":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #109":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #110":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #111":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #112":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #113":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #114":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #115":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #116":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #117":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #118":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #119":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #120":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #121":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #122":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #123":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #124":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #125":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #126":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #127":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #128":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #129":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #130":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #131":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #132":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #133":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #134":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #135":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #136":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #137":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #138":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #139":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #140":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #141":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #142":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #143":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #144":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #145":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #146":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #147":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #148":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #149":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #150":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #151":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #152":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #153":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #154":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #155":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #156":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #157":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #158":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #159":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #160":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #161":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #162":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #163":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #164":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #165":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #166":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #167":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #168":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #169":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #170":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #171":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #172":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #173":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #174":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #175":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #176":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #177":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #178":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #179":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #180":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #181":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #182":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #183":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #184":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #185":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #186":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #187":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #188":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #189":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #190":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #191":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #192":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #193":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #194":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #195":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #196":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #197":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #198":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #199":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #200":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #201":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #202":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #203":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #204":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #205":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #206":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #207":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #208":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #209":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #210":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #211":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #212":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #213":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #214":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #215":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #216":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #217":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #218":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #219":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #220":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #221":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #222":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #223":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #224":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #225":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #226":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #227":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #228":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #229":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #230":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #231":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #232":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #233":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #234":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #235":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #236":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #237":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #238":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #239":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #240":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #241":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #242":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #243":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #244":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #245":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #246":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #247":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #248":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #249":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #250":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #251":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #252":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #253":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #254":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #255":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #256":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #257":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #258":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #259":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #260":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #261":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #262":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #263":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #264":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #265":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #266":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #267":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #268":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #269":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #270":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #271":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #272":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #273":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #274":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #275":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #276":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #277":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #278":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #279":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #280":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #281":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #282":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #283":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #284":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #285":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #286":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #287":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #288":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #289":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #290":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #291":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #292":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #293":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #294":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #295":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #296":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #297":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #298":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #299":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #300":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #301":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #302":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #303":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #304":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #305":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #306":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #307":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #308":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #309":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #310":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #311":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #312":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #313":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #314":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #315":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #316":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #317":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #318":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #319":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #320":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #321":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #322":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #323":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #324":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #325":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #326":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #327":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #328":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #329":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #330":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #331":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #332":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #333":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #334":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #335":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #336":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #337":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #338":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #339":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #340":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #341":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #342":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #343":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #344":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #345":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #346":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #347":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #348":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #349":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #350":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #351":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #352":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #353":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #354":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #355":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #356":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #357":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #358":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #359":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #360":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #361":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #362":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #363":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #364":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #365":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #366":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #367":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #368":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #369":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #370":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #371":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #372":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #373":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #374":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #375":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #376":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #377":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #378":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #379":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #380":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #381":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #382":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #383":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #384":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #385":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #386":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #387":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #388":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #389":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #390":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #391":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #392":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #393":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #394":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #395":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #396":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #397":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #398":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #399":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #400":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #401":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #402":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #403":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #404":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #405":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #406":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #407":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #408":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #409":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #410":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #411":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #412":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #413":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #414":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #415":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #416":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #417":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #418":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #419":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #420":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #421":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #422":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #423":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #424":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #425":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #426":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #427":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #428":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #429":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #430":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #431":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #432":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #433":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #434":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #435":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #436":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #437":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #438":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #439":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #440":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #441":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #442":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #443":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #444":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #445":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #446":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #447":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #448":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #449":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #450":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #451":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #452":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #453":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #454":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #455":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #456":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #457":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #458":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #459":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #460":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #461":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #462":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #463":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #464":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #465":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #466":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #467":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #468":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #469":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #470":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #471":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #472":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #473":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #474":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #475":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #476":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #477":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #478":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #479":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #480":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #481":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #482":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #483":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #484":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #485":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #486":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #487":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #488":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #489":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #490":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #491":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #492":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #493":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #494":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #495":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #496":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #497":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #498":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #499":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #500":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #501":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #502":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #503":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #504":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #505":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #506":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #507":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #508":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #509":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #510":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #511":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #512":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #513":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #514":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #515":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #516":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #517":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #518":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #519":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #520":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #521":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #522":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #523":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #524":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #525":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #526":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #527":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #528":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #529":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #530":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #531":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #532":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #533":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #534":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #535":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #536":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #537":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #538":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #539":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #540":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #541":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #542":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #543":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #544":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #545":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #546":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #547":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #548":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #549":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #550":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #551":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #552":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #553":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #554":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #555":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #556":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #557":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #558":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #559":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #560":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #561":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #562":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #563":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #564":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #565":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #566":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #567":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #568":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #569":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #570":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #571":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #572":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #573":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #574":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #575":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #576":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #577":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #578":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #579":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #580":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #581":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #582":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #583":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #584":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #585":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #586":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #587":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #588":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #589":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #590":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #591":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #592":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #593":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #594":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #595":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #596":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #597":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #598":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #599":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #600":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #601":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #602":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #603":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #604":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #605":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #606":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #607":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #608":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #609":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #610":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #611":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #612":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #613":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #614":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #615":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #616":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #617":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #618":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #619":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #620":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #621":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #622":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #623":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #624":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #625":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #626":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #627":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #628":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #629":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #630":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #631":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #632":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #633":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #634":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #635":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #636":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #637":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #638":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #639":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #640":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #641":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #642":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #643":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #644":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #645":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #646":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #647":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #648":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #649":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #650":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #651":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #652":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #653":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #654":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #655":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #656":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #657":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #658":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #659":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #660":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #661":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #662":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #663":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #664":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #665":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #666":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #667":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #668":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #669":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #670":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #671":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #672":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #673":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #674":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #675":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #676":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #677":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #678":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #679":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #680":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #681":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #682":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #683":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #684":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #685":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #686":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #687":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #688":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #689":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #690":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #691":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #692":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #693":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #694":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #695":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #696":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #697":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #698":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #699":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #700":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #701":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #702":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #703":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #704":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #705":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #706":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #707":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #708":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #709":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #710":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #711":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #712":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #713":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #714":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #715":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #716":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #717":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #718":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #719":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #720":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #721":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #722":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #723":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #724":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #725":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #726":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #727":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #728":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #729":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #730":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #731":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #732":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #733":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #734":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #735":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #736":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #737":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #738":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #739":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #740":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #741":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #742":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #743":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #744":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #745":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #746":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #747":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #748":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #749":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #750":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #751":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #752":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #753":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #754":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #755":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #756":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #757":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #758":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #759":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #760":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #761":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #762":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #763":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #764":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #765":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #766":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #767":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #768":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #769":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #770":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #771":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #772":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #773":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #774":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #775":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #776":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #777":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #778":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #779":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #780":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #781":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #782":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #783":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #784":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #785":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #786":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #787":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #788":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #789":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #790":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #791":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #792":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #793":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #794":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #795":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #796":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #797":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #798":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #799":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #800":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #801":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #802":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #803":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #804":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #805":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #806":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #807":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #808":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #809":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #810":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #811":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #812":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #813":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #814":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #815":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #816":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #817":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #818":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #819":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #820":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #821":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #822":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #823":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #824":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #825":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #826":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #827":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #828":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #829":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #830":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #831":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #832":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #833":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #834":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #835":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #836":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #837":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #838":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #839":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #840":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #841":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #842":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #843":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #844":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #845":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #846":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #847":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #848":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #849":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #850":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #851":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #852":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #853":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #854":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #855":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #856":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #857":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #858":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #859":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #860":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #861":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #862":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #863":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #864":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #865":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #866":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #867":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #868":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #869":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #870":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #871":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #872":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #873":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #874":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #875":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #876":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #877":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #878":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #879":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #880":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #881":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #882":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #883":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #884":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #885":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #886":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #887":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #888":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #889":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #890":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #891":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #892":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #893":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #894":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #895":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #896":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #897":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #898":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #899":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #900":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #901":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #902":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #903":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #904":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #905":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #906":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #907":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #908":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #909":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #910":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #911":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #912":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #913":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #914":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #915":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #916":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #917":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #918":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #919":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #920":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #921":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #922":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #923":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #924":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #925":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #926":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #927":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #928":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #929":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #930":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #931":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #932":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #933":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #934":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #935":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #936":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #937":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #938":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #939":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #940":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #941":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #942":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #943":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #944":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #945":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #946":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #947":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #948":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #949":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #950":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #951":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #952":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #953":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #954":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #955":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #956":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #957":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #958":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #959":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #960":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #961":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #962":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #963":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #964":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #965":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #966":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #967":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #968":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #969":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #970":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #971":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #972":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #973":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #974":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #975":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #976":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #977":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #978":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #979":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #980":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #981":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #982":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #983":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #984":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #985":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #986":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #987":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #988":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #989":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #990":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #991":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #992":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #993":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #994":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #995":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #996":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #997":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #998":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #999":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1000":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1001":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1002":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1003":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1004":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1005":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1006":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1007":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1008":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1009":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1010":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1011":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1012":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1013":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1014":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1015":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1016":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1017":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1018":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1019":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1020":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1021":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1022":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1023":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1024":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1025":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1026":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1027":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1028":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1029":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1030":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1031":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1032":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1033":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1034":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1035":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1036":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1037":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1038":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1039":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1040":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1041":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1042":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1043":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1044":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1045":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1046":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1047":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1048":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1049":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1050":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1051":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1052":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1053":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1054":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1055":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1056":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1057":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1058":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1059":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1060":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1061":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1062":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1063":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1064":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1065":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1066":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1067":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1068":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1069":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1070":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1071":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1072":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1073":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1074":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1075":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1076":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1077":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1078":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1079":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1080":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1081":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1082":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1083":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1084":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1085":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1086":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1087":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1088":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1089":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1090":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1091":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1092":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1093":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1094":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1095":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1096":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1097":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1098":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1099":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1100":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1101":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1102":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1103":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1104":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1105":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1106":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1107":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1108":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1109":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1110":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1111":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1112":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1113":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1114":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1115":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1116":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1117":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1118":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1119":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1120":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1121":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1122":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1123":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1124":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1125":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1126":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1127":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1128":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1129":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1130":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1131":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1132":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1133":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1134":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1135":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1136":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1137":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1138":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1139":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1140":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1141":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1142":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1143":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1144":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1145":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1146":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1147":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1148":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1149":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1150":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1151":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1152":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1153":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1154":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1155":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1156":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1157":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1158":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1159":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1160":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1161":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1162":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1163":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1164":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1165":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1166":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1167":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1168":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1169":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1170":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1171":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1172":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1173":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1174":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1175":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1176":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1177":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1178":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1179":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1180":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1181":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1182":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1183":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1184":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1185":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1186":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1187":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1188":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1189":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1190":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1191":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1192":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1193":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1194":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1195":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1196":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1197":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1198":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1199":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1200":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1201":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1202":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1203":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1204":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1205":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1206":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1207":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1208":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1209":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1210":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1211":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1212":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1213":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1214":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1215":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1216":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1217":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1218":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1219":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1220":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1221":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1222":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1223":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1224":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1225":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1226":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1227":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1228":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1229":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1230":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1231":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1232":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1233":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1234":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1235":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1236":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1237":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1238":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1239":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1240":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1241":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1242":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1243":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1244":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1245":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1246":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1247":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1248":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1249":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1250":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1251":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1252":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1253":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1254":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1255":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1256":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1257":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1258":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1259":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1260":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1261":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1262":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1263":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1264":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1265":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1266":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1267":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1268":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1269":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1270":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1271":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1272":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1273":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1274":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1275":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1276":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1277":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1278":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1279":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1280":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1281":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1282":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1283":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1284":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1285":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1286":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1287":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1288":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1289":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1290":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1291":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1292":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1293":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1294":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1295":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1296":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1297":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1298":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1299":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1300":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1301":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1302":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1303":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1304":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1305":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1306":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1307":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1308":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1309":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1310":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1311":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1312":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1313":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1314":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1315":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1316":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1317":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1318":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1319":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1320":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1321":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1322":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1323":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1324":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1325":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1326":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1327":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1328":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1329":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1330":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1331":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1332":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1333":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1334":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1335":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1336":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1337":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1338":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1339":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1340":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1341":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1342":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1343":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1344":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1345":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1346":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1347":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1348":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1349":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1350":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1351":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1352":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1353":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1354":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1355":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1356":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1357":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1358":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1359":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1360":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1361":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1362":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1363":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1364":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1365":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1366":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1367":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1368":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1369":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1370":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1371":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1372":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1373":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1374":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1375":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1376":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1377":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1378":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1379":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1380":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1381":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1382":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1383":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1384":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1385":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1386":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1387":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1388":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1389":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1390":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1391":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1392":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1393":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1394":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1395":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1396":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1397":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1398":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1399":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1400":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1401":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1402":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1403":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1404":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1405":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1406":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1407":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1408":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1409":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1410":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1411":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1412":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1413":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1414":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1415":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1416":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1417":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1418":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1419":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1420":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1421":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1422":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1423":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1424":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1425":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1426":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1427":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1428":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1429":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1430":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1431":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1432":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1433":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1434":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1435":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1436":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1437":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1438":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1439":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1440":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1441":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1442":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1443":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1444":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1445":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1446":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1447":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1448":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1449":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1450":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1451":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1452":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1453":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1454":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1455":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1456":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1457":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1458":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1459":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1460":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1461":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1462":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1463":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1464":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1465":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1466":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1467":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1468":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1469":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1470":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1471":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1472":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1473":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1474":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1475":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1476":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1477":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1478":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1479":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1480":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1481":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1482":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1483":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1484":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1485":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1486":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1487":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1488":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1489":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1490":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1491":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1492":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1493":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1494":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1495":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1496":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1497":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1498":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1499":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1500":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1501":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1502":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1503":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1504":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1505":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1506":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1507":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1508":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1509":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1510":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1511":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1512":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1513":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1514":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1515":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1516":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1517":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1518":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1519":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1520":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1521":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1522":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1523":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1524":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1525":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1526":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1527":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1528":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1529":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1530":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1531":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1532":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1533":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1534":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1535":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1536":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1537":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1538":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1539":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1540":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1541":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1542":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1543":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1544":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1545":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1546":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1547":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1548":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1549":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1550":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1551":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1552":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1553":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1554":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1555":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1556":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1557":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1558":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1559":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1560":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1561":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1562":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1563":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1564":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1565":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1566":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1567":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1568":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1569":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1570":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1571":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1572":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1573":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1574":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1575":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1576":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1577":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1578":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1579":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1580":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1581":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1582":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1583":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1584":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1585":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1586":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1587":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1588":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1589":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1590":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1591":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1592":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1593":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1594":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1595":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1596":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1597":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1598":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1599":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1600":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1601":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1602":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1603":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1604":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1605":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1606":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1607":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1608":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1609":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1610":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1611":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1612":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1613":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1614":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1615":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1616":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1617":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1618":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1619":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1620":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1621":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1622":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1623":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1624":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1625":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1626":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1627":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1628":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1629":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1630":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1631":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1632":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1633":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1634":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1635":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1636":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1637":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1638":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1639":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1640":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1641":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1642":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1643":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1644":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1645":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1646":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1647":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1648":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1649":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1650":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1651":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1652":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1653":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1654":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1655":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1656":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1657":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1658":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1659":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1660":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1661":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1662":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1663":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1664":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1665":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1666":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1667":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1668":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1669":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1670":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1671":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1672":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1673":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1674":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1675":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1676":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1677":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1678":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1679":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1680":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1681":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1682":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1683":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1684":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1685":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1686":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1687":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1688":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1689":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1690":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1691":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1692":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1693":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1694":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1695":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1696":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1697":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1698":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1699":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1700":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1701":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1702":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1703":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1704":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1705":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1706":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1707":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1708":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1709":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1710":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1711":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1712":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1713":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1714":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1715":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1716":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1717":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1718":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1719":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1720":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1721":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1722":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1723":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1724":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1725":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1726":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1727":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1728":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1729":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1730":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1731":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1732":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1733":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1734":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1735":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1736":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1737":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1738":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1739":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1740":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1741":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1742":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1743":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1744":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1745":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1746":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1747":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1748":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1749":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1750":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1751":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1752":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1753":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1754":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1755":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1756":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1757":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1758":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1759":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1760":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1761":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1762":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1763":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1764":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1765":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1766":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1767":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1768":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1769":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1770":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1771":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1772":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1773":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1774":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1775":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1776":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1777":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1778":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1779":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1780":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1781":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1782":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1783":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1784":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1785":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1786":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1787":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1788":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1789":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1790":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1791":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1792":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1793":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1794":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1795":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1796":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1797":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1798":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1799":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1800":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1801":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1802":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1803":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1804":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1805":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1806":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1807":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1808":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1809":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1810":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1811":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1812":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1813":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1814":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1815":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1816":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1817":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1818":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1819":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1820":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1821":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1822":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1823":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1824":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1825":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1826":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1827":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1828":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1829":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1830":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1831":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1832":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1833":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1834":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1835":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1836":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1837":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1838":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1839":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1840":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1841":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1842":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1843":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1844":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1845":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1846":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1847":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1848":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1849":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1850":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1851":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1852":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1853":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1854":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1855":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1856":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1857":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1858":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1859":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1860":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1861":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1862":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1863":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1864":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1865":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1866":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1867":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1868":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1869":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1870":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1871":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1872":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1873":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1874":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1875":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1876":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1877":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1878":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1879":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1880":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1881":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1882":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1883":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1884":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1885":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1886":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1887":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1888":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1889":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1890":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1891":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1892":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1893":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1894":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1895":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1896":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1897":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1898":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1899":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1900":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1901":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1902":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1903":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1904":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1905":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1906":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1907":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1908":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1909":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1910":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1911":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1912":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1913":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1914":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1915":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1916":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1917":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1918":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1919":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1920":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1921":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1922":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1923":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1924":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1925":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1926":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1927":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1928":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1929":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1930":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1931":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1932":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1933":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1934":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1935":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1936":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1937":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1938":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1939":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1940":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1941":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1942":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1943":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1944":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1945":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1946":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1947":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1948":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1949":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1950":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1951":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1952":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1953":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1954":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1955":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1956":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1957":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1958":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1959":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1960":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1961":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1962":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1963":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1964":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1965":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1966":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1967":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1968":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1969":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1970":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1971":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1972":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1973":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1974":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1975":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1976":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1977":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1978":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1979":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1980":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1981":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1982":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1983":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1984":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1985":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1986":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1987":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1988":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1989":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1990":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1991":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1992":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1993":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1994":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1995":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1996":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1997":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1998":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #1999":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2000":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2001":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2002":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2003":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2004":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2005":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2006":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2007":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2008":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2009":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2010":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2011":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2012":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2013":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2014":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2015":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2016":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2017":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2018":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2019":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2020":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2021":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2022":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2023":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2024":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2025":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2026":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2027":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2028":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2029":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2030":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2031":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2032":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2033":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2034":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2035":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2036":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2037":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2038":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2039":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2040":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2041":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2042":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2043":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2044":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2045":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2046":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2047":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2048":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2049":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2050":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2051":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2052":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2053":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2054":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2055":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2056":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2057":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2058":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2059":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2060":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2061":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2062":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2063":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2064":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2065":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2066":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2067":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2068":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2069":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2070":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2071":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2072":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2073":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2074":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2075":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2076":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2077":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2078":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2079":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2080":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2081":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2082":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2083":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2084":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2085":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2086":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2087":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2088":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2089":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2090":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2091":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2092":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2093":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2094":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2095":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2096":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2097":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2098":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2099":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2100":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2101":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2102":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2103":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2104":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2105":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2106":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2107":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2108":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2109":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2110":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2111":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2112":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2113":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2114":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2115":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2116":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2117":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2118":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2119":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2120":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2121":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2122":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2123":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2124":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2125":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2126":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2127":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2128":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2129":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2130":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2131":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2132":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2133":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2134":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2135":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2136":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2137":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2138":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2139":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2140":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2141":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2142":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2143":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2144":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2145":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2146":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2147":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2148":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2149":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2150":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2151":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2152":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2153":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2154":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2155":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2156":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2157":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2158":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2159":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2160":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2161":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2162":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2163":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2164":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2165":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2166":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2167":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2168":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2169":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2170":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2171":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2172":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2173":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2174":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2175":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2176":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2177":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2178":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2179":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2180":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2181":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2182":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2183":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2184":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2185":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2186":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2187":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2188":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2189":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2190":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2191":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2192":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2193":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2194":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2195":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2196":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2197":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2198":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2199":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2200":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2201":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2202":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2203":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2204":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2205":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2206":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2207":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2208":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2209":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2210":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2211":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2212":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2213":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2214":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2215":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2216":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2217":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2218":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2219":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2220":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2221":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2222":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2223":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2224":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2225":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2226":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2227":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2228":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2229":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2230":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2231":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2232":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2233":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2234":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2235":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2236":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2237":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2238":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2239":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2240":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2241":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2242":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2243":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2244":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2245":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2246":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2247":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2248":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2249":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2250":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2251":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2252":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2253":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2254":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2255":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2256":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2257":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2258":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2259":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2260":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2261":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2262":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2263":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2264":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2265":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2266":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2267":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2268":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2269":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2270":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2271":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2272":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2273":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2274":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2275":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2276":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2277":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2278":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2279":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2280":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2281":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2282":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2283":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2284":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2285":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2286":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2287":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2288":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2289":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2290":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2291":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2292":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2293":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2294":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2295":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2296":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2297":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2298":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2299":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2300":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2301":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2302":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2303":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2304":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2305":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2306":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2307":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2308":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2309":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2310":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2311":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2312":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2313":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2314":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2315":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2316":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2317":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2318":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2319":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2320":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2321":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2322":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2323":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2324":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2325":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2326":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2327":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2328":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2329":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2330":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2331":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2332":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2333":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2334":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2335":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2336":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2337":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2338":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2339":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2340":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2341":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2342":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2343":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2344":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2345":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2346":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2347":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2348":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2349":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2350":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2351":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2352":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2353":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2354":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2355":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2356":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2357":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2358":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2359":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2360":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2361":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2362":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2363":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2364":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2365":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2366":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2367":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2368":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2369":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2370":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2371":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2372":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2373":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2374":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2375":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2376":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2377":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2378":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2379":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2380":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2381":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2382":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2383":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2384":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2385":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2386":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2387":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2388":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2389":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2390":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2391":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2392":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2393":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2394":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2395":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2396":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2397":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2398":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2399":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2400":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2401":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2402":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2403":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2404":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2405":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2406":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2407":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2408":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2409":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2410":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2411":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2412":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2413":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2414":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2415":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2416":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2417":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2418":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2419":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2420":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2421":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2422":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2423":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2424":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2425":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2426":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2427":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2428":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2429":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2430":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2431":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2432":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2433":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2434":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2435":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2436":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2437":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2438":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2439":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2440":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2441":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2442":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2443":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2444":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2445":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2446":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2447":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2448":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2449":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2450":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2451":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2452":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2453":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2454":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2455":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2456":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2457":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2458":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2459":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2460":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2461":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2462":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2463":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2464":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2465":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2466":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2467":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2468":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2469":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2470":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2471":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2472":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2473":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2474":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2475":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2476":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2477":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2478":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2479":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2480":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2481":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2482":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2483":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2484":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2485":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2486":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2487":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2488":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2489":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2490":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2491":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2492":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2493":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2494":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2495":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2496":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2497":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2498":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2499":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2500":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2501":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2502":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2503":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2504":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2505":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2506":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2507":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2508":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2509":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2510":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2511":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2512":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2513":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2514":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2515":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2516":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2517":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2518":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2519":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2520":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2521":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2522":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2523":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2524":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2525":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2526":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2527":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2528":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2529":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2530":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2531":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2532":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2533":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2534":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2535":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2536":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2537":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2538":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2539":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2540":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2541":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2542":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2543":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2544":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2545":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2546":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2547":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2548":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2549":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2550":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2551":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2552":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2553":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2554":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2555":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2556":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2557":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2558":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2559":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2560":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2561":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2562":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2563":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2564":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2565":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2566":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2567":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2568":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2569":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2570":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2571":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2572":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2573":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2574":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2575":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2576":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2577":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2578":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2579":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2580":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2581":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2582":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2583":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2584":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2585":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2586":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2587":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2588":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2589":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2590":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2591":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2592":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2593":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2594":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2595":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2596":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2597":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2598":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2599":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2600":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2601":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2602":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2603":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2604":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2605":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2606":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2607":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2608":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2609":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2610":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2611":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2612":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2613":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2614":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2615":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2616":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2617":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2618":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2619":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2620":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2621":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2622":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2623":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2624":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2625":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2626":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2627":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2628":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2629":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2630":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2631":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2632":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2633":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2634":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2635":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2636":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2637":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2638":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2639":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2640":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2641":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2642":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2643":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2644":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2645":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2646":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2647":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2648":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2649":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2650":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2651":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2652":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2653":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2654":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2655":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2656":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2657":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2658":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2659":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2660":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2661":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2662":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2663":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2664":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2665":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2666":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2667":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2668":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2669":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2670":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2671":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2672":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2673":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2674":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2675":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2676":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2677":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2678":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2679":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2680":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2681":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2682":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2683":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2684":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2685":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2686":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2687":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2688":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2689":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2690":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2691":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2692":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2693":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2694":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2695":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2696":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2697":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2698":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2699":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2700":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2701":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2702":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2703":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2704":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2705":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2706":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2707":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2708":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2709":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2710":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2711":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2712":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2713":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2714":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2715":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2716":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2717":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2718":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2719":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2720":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2721":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2722":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2723":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2724":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2725":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2726":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2727":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2728":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2729":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2730":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2731":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2732":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2733":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2734":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2735":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2736":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2737":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2738":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2739":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2740":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2741":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2742":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2743":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2744":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2745":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2746":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2747":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2748":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2749":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2750":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2751":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2752":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2753":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2754":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2755":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2756":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2757":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2758":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2759":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2760":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2761":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2762":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2763":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2764":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2765":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2766":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2767":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2768":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2769":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2770":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2771":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2772":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2773":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2774":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2775":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2776":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2777":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2778":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2779":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2780":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2781":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2782":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2783":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2784":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2785":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2786":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2787":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2788":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2789":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2790":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2791":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2792":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2793":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2794":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2795":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2796":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2797":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2798":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2799":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2800":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2801":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2802":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2803":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2804":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2805":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2806":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2807":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2808":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2809":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2810":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2811":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2812":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2813":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2814":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2815":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2816":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2817":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2818":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2819":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2820":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2821":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2822":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2823":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2824":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2825":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2826":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2827":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2828":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2829":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2830":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2831":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2832":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2833":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2834":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2835":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2836":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2837":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2838":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2839":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2840":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2841":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2842":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2843":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2844":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2845":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2846":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2847":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2848":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2849":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2850":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2851":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2852":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2853":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2854":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2855":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2856":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2857":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2858":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2859":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2860":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2861":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2862":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2863":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2864":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2865":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2866":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2867":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2868":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2869":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2870":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2871":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2872":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2873":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2874":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2875":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2876":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2877":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2878":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2879":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2880":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2881":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2882":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2883":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2884":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2885":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2886":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2887":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2888":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2889":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2890":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2891":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2892":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2893":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2894":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2895":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2896":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2897":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2898":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2899":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2900":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2901":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2902":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2903":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2904":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2905":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2906":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2907":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2908":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2909":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2910":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2911":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2912":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2913":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2914":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2915":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2916":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2917":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2918":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2919":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2920":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2921":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2922":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2923":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2924":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2925":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2926":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2927":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2928":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2929":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2930":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2931":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2932":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2933":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2934":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2935":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2936":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2937":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2938":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2939":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2940":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2941":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2942":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2943":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2944":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2945":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2946":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2947":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2948":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2949":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2950":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2951":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2952":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2953":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2954":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2955":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2956":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2957":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2958":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2959":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2960":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2961":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2962":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2963":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2964":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2965":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2966":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2967":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2968":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2969":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2970":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2971":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2972":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2973":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2974":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2975":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2976":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2977":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2978":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2979":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2980":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2981":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2982":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2983":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2984":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2985":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2986":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2987":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2988":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2989":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2990":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2991":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2992":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2993":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2994":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2995":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2996":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2997":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2998":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #2999":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3000":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3001":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3002":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3003":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3004":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3005":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3006":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3007":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3008":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3009":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3010":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3011":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3012":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3013":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3014":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3015":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3016":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3017":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3018":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3019":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3020":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3021":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3022":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3023":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3024":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3025":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3026":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3027":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3028":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3029":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3030":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3031":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3032":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3033":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3034":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3035":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3036":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3037":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3038":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3039":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3040":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3041":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3042":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3043":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3044":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3045":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3046":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3047":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3048":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3049":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3050":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3051":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3052":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3053":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3054":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3055":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3056":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3057":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3058":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3059":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3060":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3061":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3062":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3063":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3064":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3065":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3066":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3067":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3068":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3069":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3070":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3071":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3072":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3073":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3074":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3075":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3076":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3077":0,"Test\\EmojiHelperTest::testIsValidSingleEmoji with data set #3078":0,"Test\\L10N\\L10nTest::testSimpleTranslationWithTrailingColon":0,"Test\\RichObjectStrings\\DefinitionsTest::testGetDefinition with data set #22":0,"Test\\Security\\SecureRandomTest::testInvalidLengths with data set #0":0,"Test\\Security\\SecureRandomTest::testInvalidLengths with data set #1":0,"Test\\Accounts\\AccountManagerTest::testSetDefaultPropertyScopes with data set #0":0,"Test\\Accounts\\AccountManagerTest::testSetDefaultPropertyScopes with data set #1":0,"Test\\Accounts\\AccountManagerTest::testSetDefaultPropertyScopes with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testGetName":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testSetName":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testIsAppGeneratedCalendar":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testSplitAppGeneratedCalendarUriInvalid with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testSplitAppGeneratedCalendarUriInvalid with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testSplitAppGeneratedCalendarUriInvalid with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testSplitAppGeneratedCalendarUri":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Integration\\ExternalCalendarTest::testDoesViolateReservedName":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\CalendarPublicationListenerTest::testInvalidEvent":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\CalendarPublicationListenerTest::testPublicationEvent":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\CalendarPublicationListenerTest::testUnPublicationEvent":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\CalendarShareUpdateListenerTest::testInvalidEvent":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\CalendarShareUpdateListenerTest::testEvent":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\SubscriptionListenerTest::testInvalidEvent":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\SubscriptionListenerTest::testCreateSubscriptionEvent":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Listeners\\SubscriptionListenerTest::testDeleteSubscriptionEvent":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Publishing\\PublishingTest::testPublishing":0.004,"OCA\\DAV\\Tests\\unit\\CalDAV\\Publishing\\PublishingTest::testUnPublishing":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\Schedule\\PluginTest::testPropFindDefaultCalendarUrl with data set #8":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRun with data set #0":0.005,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRun with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRun with data set #2":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunCreateCalendarNoException with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunCreateCalendarNoException with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunCreateCalendarNoException with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunCreateCalendarBadRequest with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunCreateCalendarBadRequest with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunCreateCalendarBadRequest with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #0":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #1":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #2":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #3":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #4":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #5":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #6":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #7":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #8":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #9":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #10":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #11":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #12":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testRunLocalURL with data set #13":0,"OCA\\DAV\\Tests\\unit\\CalDAV\\WebcalCaching\\RefreshWebcalServiceTest::testInvalidUrl":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testCallTriggerAddressBookActivity with data set #0":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testCallTriggerAddressBookActivity with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testCallTriggerAddressBookActivity with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #3":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #4":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #5":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #6":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #7":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #8":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #9":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerAddressBookActivity with data set #10":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testNoAddressbookActivityCreatedForSystemAddressbook":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #1":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #3":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #4":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #5":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #6":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #7":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #8":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #9":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testTriggerCardActivity with data set #10":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testNoCardActivityCreatedForSystemAddressbook":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testGetUsersForShares with data set #0":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testGetUsersForShares with data set #1":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testGetUsersForShares with data set #2":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testGetUsersForShares with data set #3":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\ExceptionLoggerPluginTest::testLogging with data set #4":0,"OCA\\DAV\\Tests\\Unit\\Listener\\ActivityUpdaterListenerTest::testHandleCalendarObjectDeletedEvent with data set #0":0.001,"OCA\\DAV\\Tests\\Unit\\Listener\\ActivityUpdaterListenerTest::testHandleCalendarObjectDeletedEvent with data set #1":0,"OCA\\DAV\\Tests\\Unit\\Listener\\ActivityUpdaterListenerTest::testHandleCalendarDeletedEvent with data set #0":0,"OCA\\DAV\\Tests\\Unit\\Listener\\ActivityUpdaterListenerTest::testHandleCalendarDeletedEvent with data set #1":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #5":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #6":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #7":0,"Test\\Avatar\\AvatarManagerTest::testGetAvatarScopes with data set #8":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsNextcloudServer with data set #0":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsNextcloudServer with data set #1":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsNextcloudServer with data set #2":0,"OCA\\Federation\\Tests\\TrustedServersTest::testIsNextcloudServerFail":0,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckNextcloudVersion with data set #0":0,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckNextcloudVersion with data set #1":0,"OCA\\Federation\\Tests\\TrustedServersTest::testCheckNextcloudVersionTooLow with data set #0":0,"OCA\\Federation\\Tests\\TrustedServersTest::testAddServer":0.002,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGenerateTokenNoPassword":0.056,"Test\\Authentication\\Token\\PublicKeyTokenProviderTest::testGenerateTokenLongPassword":1.699,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #0":0.003,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #1":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #2":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #3":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #4":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #5":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #6":0.001,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testEnableTheme with data set #7":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #0":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #1":0.001,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #2":0.001,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #3":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #4":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #5":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #6":0,"OCA\\Theming\\Tests\\Controller\\UserThemeControllerTest::testDisableTheme with data set #7":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testGetThemes":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testEnableTheme with data set #0":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testEnableTheme with data set #1":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testEnableTheme with data set #2":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testEnableTheme with data set #3":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testEnableTheme with data set #4":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testDisableTheme with data set #0":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testDisableTheme with data set #1":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testDisableTheme with data set #2":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testDisableTheme with data set #3":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testIsEnabled with data set #0":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testIsEnabled with data set #1":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testIsEnabled with data set #2":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testIsEnabled with data set #3":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testGetEnabledThemes":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testGetEnabledThemesEnforced":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testSetEnabledThemes with data set #0":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testSetEnabledThemes with data set #1":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testSetEnabledThemes with data set #2":0,"OCA\\Theming\\Tests\\Service\\ThemesServiceTest::testSetEnabledThemes with data set #3":0,"OCA\\Theming\\Tests\\Settings\\AdminSectionTest::testGetID":0.001,"OCA\\Theming\\Tests\\Settings\\AdminSectionTest::testGetName":0,"OCA\\Theming\\Tests\\Settings\\AdminSectionTest::testGetPriority":0,"OCA\\Theming\\Tests\\Settings\\AdminSectionTest::testGetIcon":0,"OCA\\Theming\\Tests\\Settings\\PersonalTest::testGetForm with data set #0":0.001,"OCA\\Theming\\Tests\\Settings\\PersonalTest::testGetForm with data set #1":0,"OCA\\Theming\\Tests\\Settings\\PersonalTest::testGetSection":0,"OCA\\Theming\\Tests\\Settings\\PersonalTest::testGetPriority":0,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testGetId":0.001,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testGetType":0,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testGetTitle":0,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testGetEnableLabel":0,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testGetDescription":0,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testGetMediaQuery":0,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testGetCustomCss":0,"OCA\\Theming\\Tests\\Service\\DefaultThemeTest::testThemindDisabledFallbackCss":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetId":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetType":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetTitle":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetEnableLabel":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetDescription":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetMediaQuery":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetCSSVariables":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetCustomCss with data set #0":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetCustomCss with data set #1":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetCustomCss with data set #2":0,"OCA\\Theming\\Tests\\Service\\DyslexiaFontTest::testGetCustomCss with data set #3":0,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckDirectCanBeDownloaded with data set #0":0.006,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckDirectCanBeDownloaded with data set #1":0.001,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckDirectCanBeDownloaded with data set #2":0,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckZipCanBeDownloaded with data set #0":0.001,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckZipCanBeDownloaded with data set #1":0,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckZipCanBeDownloaded with data set #2":0,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckZipCanBeDownloaded with data set #3":0,"OCA\\Files_Sharing\\Tests\\ApplicationTest::testCheckFileUserNotFound":0,"OCA\\Files_Sharing\\Tests\\External\\ScannerTest::testScanAll":0.001,"OCA\\UpdateNotification\\Tests\\ResetTokenBackgroundJobTest::testRunWithExpiredTokenAndReadOnlyConfigFile":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #2":0,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #3":0.001,"OCA\\User_LDAP\\Tests\\Group_LDAPTest::testGroupMembers with data set #4":0.001,"Test\\Share20\\ShareByMailProviderTest::testGetSharesByWithResharesAndNoNode":0.007,"Test\\Share20\\ShareByMailProviderTest::testGetSharesByWithResharesAndNode":0.002,"OCA\\DAV\\Tests\\unit\\CalDAV\\Activity\\BackendTest::testUserDeletionDoesNotCreateActivity":0.001,"OCA\\DAV\\Tests\\unit\\CardDAV\\Activity\\BackendTest::testUserDeletionDoesNotCreateActivity":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #22":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #23":0,"OCA\\DAV\\Tests\\unit\\CardDAV\\BirthdayServiceTest::testBuildBirthdayFromContact with data set #24":0,"OCA\\DAV\\Tests\\unit\\DAV\\ViewOnlyPluginTest::testCanGetNonDav":0,"OCA\\DAV\\Tests\\unit\\DAV\\ViewOnlyPluginTest::testCanGetNonShared":0.001,"OCA\\DAV\\Tests\\unit\\DAV\\ViewOnlyPluginTest::testCanGet with data set #0":0.009,"OCA\\DAV\\Tests\\unit\\DAV\\ViewOnlyPluginTest::testCanGet with data set #1":0,"OCA\\DAV\\Tests\\unit\\DAV\\ViewOnlyPluginTest::testCanGet with data set #2":0,"Test\\UrlGeneratorTest::testImagePath with data set #0":0,"Test\\UrlGeneratorTest::testImagePath with data set #1":0,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testShareAttributes":0.004,"OCA\\DAV\\Tests\\unit\\Connector\\Sabre\\NodeTest::testShareAttributesNonShare":0,"OCA\\Theming\\Tests\\DefaultThemeTest::testGetId":0.001,"OCA\\Theming\\Tests\\DefaultThemeTest::testGetType":0,"OCA\\Theming\\Tests\\DefaultThemeTest::testGetTitle":0,"OCA\\Theming\\Tests\\DefaultThemeTest::testGetEnableLabel":0,"OCA\\Theming\\Tests\\DefaultThemeTest::testGetDescription":0,"OCA\\Theming\\Tests\\DefaultThemeTest::testGetMediaQuery":0,"OCA\\Theming\\Tests\\DefaultThemeTest::testGetCustomCss":0,"OCA\\Theming\\Tests\\DefaultThemeTest::testThemindDisabledFallbackCss":0,"Test\\Files\\Node\\FolderTest::testNewFolderDeepParent":0}} \ No newline at end of file
diff --git a/tests/lib/AppFramework/AppTest.php b/tests/lib/AppFramework/AppTest.php
index 3917cea68dd..a28334115bd 100644
--- a/tests/lib/AppFramework/AppTest.php
+++ b/tests/lib/AppFramework/AppTest.php
@@ -74,7 +74,13 @@ class AppTest extends \Test\TestCase {
$this->container[$this->controllerName] = $this->controller;
$this->container['Dispatcher'] = $this->dispatcher;
$this->container['OCP\\AppFramework\\Http\\IOutput'] = $this->io;
+<<<<<<< HEAD
$this->container['urlParams'] = array();
+||||||| parent of 7d272c54d0 (Add a built-in profiler inside Nextcloud)
+ $this->container['urlParams'] = [];
+=======
+ $this->container['urlParams'] = ['_route' => 'not-profiler'];
+>>>>>>> 7d272c54d0 (Add a built-in profiler inside Nextcloud)
$this->appPath = __DIR__ . '/../../../apps/namespacetestapp';
$infoXmlPath = $this->appPath . '/appinfo/info.xml';
@@ -186,6 +192,7 @@ class AppTest extends \Test\TestCase {
public function testCoreApp() {
$this->container['AppName'] = 'core';
$this->container['OC\Core\Controller\Foo'] = $this->controller;
+ $this->container['urlParams'] = ['_route' => 'not-profiler'];
$return = ['HTTP/2.0 200 OK', [], [], null, new Response()];
$this->dispatcher->expects($this->once())
@@ -202,7 +209,14 @@ class AppTest extends \Test\TestCase {
public function testSettingsApp() {
$this->container['AppName'] = 'settings';
+<<<<<<< HEAD
$this->container['OC\Settings\Controller\Foo'] = $this->controller;
+||||||| parent of 7d272c54d0 (Add a built-in profiler inside Nextcloud)
+ $this->container['OCA\Settings\Controller\Foo'] = $this->controller;
+=======
+ $this->container['OCA\Settings\Controller\Foo'] = $this->controller;
+ $this->container['urlParams'] = ['_route' => 'not-profiler'];
+>>>>>>> 7d272c54d0 (Add a built-in profiler inside Nextcloud)
$return = ['HTTP/2.0 200 OK', [], [], null, new Response()];
$this->dispatcher->expects($this->once())
@@ -220,6 +234,7 @@ class AppTest extends \Test\TestCase {
public function testApp() {
$this->container['AppName'] = 'bar';
$this->container['OCA\Bar\Controller\Foo'] = $this->controller;
+ $this->container['urlParams'] = ['_route' => 'not-profiler'];
$return = ['HTTP/2.0 200 OK', [], [], null, new Response()];
$this->dispatcher->expects($this->once())
diff --git a/tests/lib/Memcache/FactoryTest.php b/tests/lib/Memcache/FactoryTest.php
index 1944b1bd35d..846390dddd9 100644
--- a/tests/lib/Memcache/FactoryTest.php
+++ b/tests/lib/Memcache/FactoryTest.php
@@ -21,13 +21,20 @@
namespace Test\Memcache;
use OC\Memcache\NullCache;
+<<<<<<< HEAD
use OCP\ILogger;
+||||||| parent of 7d272c54d0 (Add a built-in profiler inside Nextcloud)
+use Psr\Log\LoggerInterface;
+=======
+use Psr\Log\LoggerInterface;
+use OCP\Profiler\IProfiler;
+>>>>>>> 7d272c54d0 (Add a built-in profiler inside Nextcloud)
class Test_Factory_Available_Cache1 extends NullCache {
public function __construct($prefix = '') {
}
- public static function isAvailable() {
+ public static function isAvailable(): bool {
return true;
}
}
@@ -36,7 +43,7 @@ class Test_Factory_Available_Cache2 extends NullCache {
public function __construct($prefix = '') {
}
- public static function isAvailable() {
+ public static function isAvailable(): bool {
return true;
}
}
@@ -45,7 +52,7 @@ class Test_Factory_Unavailable_Cache1 extends NullCache {
public function __construct($prefix = '') {
}
- public static function isAvailable() {
+ public static function isAvailable(): bool {
return false;
}
}
@@ -54,7 +61,7 @@ class Test_Factory_Unavailable_Cache2 extends NullCache {
public function __construct($prefix = '') {
}
- public static function isAvailable() {
+ public static function isAvailable(): bool {
return false;
}
}
@@ -117,8 +124,17 @@ class FactoryTest extends \Test\TestCase {
*/
public function testCacheAvailability($localCache, $distributedCache, $lockingCache,
$expectedLocalCache, $expectedDistributedCache, $expectedLockingCache) {
+<<<<<<< HEAD
$logger = $this->getMockBuilder(ILogger::class)->getMock();
$factory = new \OC\Memcache\Factory('abc', $logger, $localCache, $distributedCache, $lockingCache);
+||||||| parent of 7d272c54d0 (Add a built-in profiler inside Nextcloud)
+ $logger = $this->getMockBuilder(LoggerInterface::class)->getMock();
+ $factory = new \OC\Memcache\Factory('abc', $logger, $localCache, $distributedCache, $lockingCache);
+=======
+ $logger = $this->getMockBuilder(LoggerInterface::class)->getMock();
+ $profiler = $this->getMockBuilder(IProfiler::class)->getMock();
+ $factory = new \OC\Memcache\Factory('abc', $logger, $profiler, $localCache, $distributedCache, $lockingCache);
+>>>>>>> 7d272c54d0 (Add a built-in profiler inside Nextcloud)
$this->assertTrue(is_a($factory->createLocal(), $expectedLocalCache));
$this->assertTrue(is_a($factory->createDistributed(), $expectedDistributedCache));
$this->assertTrue(is_a($factory->createLocking(), $expectedLockingCache));
@@ -129,7 +145,20 @@ class FactoryTest extends \Test\TestCase {
* @expectedException \OC\HintException
*/
public function testCacheNotAvailableException($localCache, $distributedCache) {
+<<<<<<< HEAD
$logger = $this->getMockBuilder(ILogger::class)->getMock();
new \OC\Memcache\Factory('abc', $logger, $localCache, $distributedCache);
+||||||| parent of 7d272c54d0 (Add a built-in profiler inside Nextcloud)
+ $this->expectException(\OCP\HintException::class);
+
+ $logger = $this->getMockBuilder(LoggerInterface::class)->getMock();
+ new \OC\Memcache\Factory('abc', $logger, $localCache, $distributedCache);
+=======
+ $this->expectException(\OCP\HintException::class);
+
+ $logger = $this->getMockBuilder(LoggerInterface::class)->getMock();
+ $profiler = $this->getMockBuilder(IProfiler::class)->getMock();
+ new \OC\Memcache\Factory('abc', $logger, $profiler, $localCache, $distributedCache);
+>>>>>>> 7d272c54d0 (Add a built-in profiler inside Nextcloud)
}
}