Merge pull request #13118 from nupplaphil/feat/db_refac

DB encapsulations
This commit is contained in:
Hypolite Petovan 2023-05-14 08:46:39 -04:00 committed by GitHub
commit 89d57a3484
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
14 changed files with 238 additions and 85 deletions

View File

@ -129,20 +129,6 @@ class Update
DI::lock()->release('dbupdate', true); DI::lock()->release('dbupdate', true);
} }
if (!DBStructure::existsTable('config')) {
DBA::e(<<<EOF
CREATE TABLE IF NOT EXISTS `config` (
`id` int unsigned NOT NULL auto_increment COMMENT '',
`cat` varbinary(50) NOT NULL DEFAULT '' COMMENT 'The category of the entry',
`k` varbinary(50) NOT NULL DEFAULT '' COMMENT 'The key of the entry',
`v` mediumtext COMMENT '',
PRIMARY KEY(`id`),
UNIQUE INDEX `cat_k` (`cat`,`k`)
) DEFAULT COLLATE utf8mb4_general_ci COMMENT='main configuration storage';
EOF
);
}
$build = DI::config()->get('system', 'build'); $build = DI::config()->get('system', 'build');
if (empty($build)) { if (empty($build)) {

View File

@ -151,8 +151,8 @@ class Cron
// We are acquiring the two locks from the worker to avoid locking problems // We are acquiring the two locks from the worker to avoid locking problems
if (DI::lock()->acquire(Worker::LOCK_PROCESS, 10)) { if (DI::lock()->acquire(Worker::LOCK_PROCESS, 10)) {
if (DI::lock()->acquire(Worker::LOCK_WORKER, 10)) { if (DI::lock()->acquire(Worker::LOCK_WORKER, 10)) {
DBA::e("OPTIMIZE TABLE `workerqueue`"); DBA::optimizeTable('workerqueue');
DBA::e("OPTIMIZE TABLE `process`"); DBA::optimizeTable('process');
DI::lock()->release(Worker::LOCK_WORKER); DI::lock()->release(Worker::LOCK_WORKER);
} }
DI::lock()->release(Worker::LOCK_PROCESS); DI::lock()->release(Worker::LOCK_PROCESS);
@ -197,7 +197,7 @@ class Cron
// Optimizing this table only last seconds // Optimizing this table only last seconds
if (DI::config()->get('system', 'optimize_tables')) { if (DI::config()->get('system', 'optimize_tables')) {
Logger::info('Optimize start'); Logger::info('Optimize start');
DBA::e("OPTIMIZE TABLE `post-delivery`"); DBA::optimizeTable('post-delivery');
Logger::info('Optimize end'); Logger::info('Optimize end');
} }
} }

View File

@ -821,6 +821,27 @@ class DBA
return DI::dba()->processlist(); return DI::dba()->processlist();
} }
/**
* Optimizes tables
*
* @param string $table a given table
*
* @return bool True, if successfully optimized, otherwise false
* @throws \Exception
*/
public static function optimizeTable(string $table): bool
{
return DI::dba()->optimizeTable($table);
}
/**
* Kill sleeping database processes
*/
public static function deleteSleepingProcesses()
{
DI::dba()->deleteSleepingProcesses();
}
/** /**
* Fetch a database variable * Fetch a database variable
* *

View File

@ -57,6 +57,18 @@ class DBStructure
echo DI::l10n()->t('The database version had been set to %s.', $version); echo DI::l10n()->t('The database version had been set to %s.', $version);
} }
/**
* Drops a specific table
*
* @param string $table the table name
*
* @return bool true if possible, otherwise false
*/
public static function dropTable(string $table): bool
{
return DBA::isResult(DBA::e('DROP TABLE ' . DBA::quoteIdentifier($table) . ';'));
}
/** /**
* Drop unused tables * Drop unused tables
* *
@ -94,8 +106,7 @@ class DBStructure
$sql = 'DROP TABLE ' . DBA::quoteIdentifier($table) . ';'; $sql = 'DROP TABLE ' . DBA::quoteIdentifier($table) . ';';
echo $sql . "\n"; echo $sql . "\n";
$result = DBA::e($sql); if (!static::dropTable($table)) {
if (!DBA::isResult($result)) {
self::printUpdateError($sql); self::printUpdateError($sql);
} }
} else { } else {

View File

@ -1357,6 +1357,15 @@ class Database
} }
$fields = $this->castFields($table, $fields); $fields = $this->castFields($table, $fields);
$direct_fields = [];
foreach ($fields as $key => $value) {
if (is_numeric($key)) {
$direct_fields[] = $value;
unset($fields[$key]);
}
}
$table_string = DBA::buildTableString([$table]); $table_string = DBA::buildTableString([$table]);
@ -1369,7 +1378,8 @@ class Database
} }
$sql = "UPDATE " . $ignore . $table_string . " SET " $sql = "UPDATE " . $ignore . $table_string . " SET "
. implode(" = ?, ", array_map([DBA::class, 'quoteIdentifier'], array_keys($fields))) . " = ?" . ((count($fields) > 0) ? implode(" = ?, ", array_map([DBA::class, 'quoteIdentifier'], array_keys($fields))) . " = ?" : "")
. ((count($direct_fields) > 0) ? ((count($fields) > 0) ? " , " : "") . implode(" , ", $direct_fields) : "")
. $condition_string; . $condition_string;
// Combines the updated fields parameter values with the condition parameter values // Combines the updated fields parameter values with the condition parameter values
@ -1758,6 +1768,37 @@ class Database
return (['list' => $statelist, 'amount' => $processes]); return (['list' => $statelist, 'amount' => $processes]);
} }
/**
* Optimizes tables
*
* @param string $table a given table
*
* @return bool True, if successfully optimized, otherwise false
* @throws \Exception
*/
public function optimizeTable(string $table): bool
{
return $this->e("OPTIMIZE TABLE " . DBA::buildTableString([$table])) !== false;
}
/**
* Kill sleeping database processes
*
* @return void
*/
public function deleteSleepingProcesses()
{
$processes = $this->p("SHOW FULL PROCESSLIST");
while ($process = $this->fetch($processes)) {
if (($process['Command'] != 'Sleep') || ($process['Time'] < 300) || ($process['db'] != $this->databaseName())) {
continue;
}
$this->e("KILL ?", $process['Id']);
}
$this->close($processes);
}
/** /**
* Fetch a database variable * Fetch a database variable
* *

View File

@ -38,22 +38,24 @@ class DatabaseException extends Exception
* *
* @link https://php.net/manual/en/exception.construct.php * @link https://php.net/manual/en/exception.construct.php
* *
* @param string $message The Database error message. * @param string $message The Database error message.
* @param int $code The Database error code. * @param int $code The Database error code.
* @param string $query The Database error query. * @param string $query The Database error query.
* @param Throwable $previous [optional] The previous throwable used for the exception chaining. * @param Throwable|null $previous [optional] The previous throwable used for the exception chaining.
*/ */
public function __construct(string $message, int $code, string $query, Throwable $previous = null) public function __construct(string $message, int $code, string $query, Throwable $previous = null)
{ {
parent::__construct($message, $code, $previous); parent::__construct(sprintf('"%s" at "%s"', $message, $query) , $code, $previous);
$this->query = $query; $this->query = $query;
} }
/** /**
* {@inheritDoc} * Returns the query, which caused the exception
*
* @return string
*/ */
public function __toString() public function getQuery(): string
{ {
return sprintf('Database error %d "%s" at "%s"', $this->message, $this->code, $this->query); return $this->query;
} }
} }

View File

@ -88,7 +88,10 @@ final class DeliveryQueueItem extends \Friendica\BaseRepository
public function remove(Entity\DeliveryQueueItem $deliveryQueueItem): bool public function remove(Entity\DeliveryQueueItem $deliveryQueueItem): bool
{ {
return $this->db->delete(self::$table_name, ['uri-id' => $deliveryQueueItem->postUriId, 'gsid' => $deliveryQueueItem->targetServerId]); return $this->db->delete(self::$table_name, [
'uri-id' => $deliveryQueueItem->postUriId,
'gsid' => $deliveryQueueItem->targetServerId
]);
} }
public function removeFailedByServerId(int $gsid, int $failedThreshold): bool public function removeFailedByServerId(int $gsid, int $failedThreshold): bool
@ -98,16 +101,17 @@ final class DeliveryQueueItem extends \Friendica\BaseRepository
public function incrementFailed(Entity\DeliveryQueueItem $deliveryQueueItem): bool public function incrementFailed(Entity\DeliveryQueueItem $deliveryQueueItem): bool
{ {
return $this->db->e(" return $this->db->update(self::$table_name, [
UPDATE " . DBA::buildTableString([self::$table_name]) . " "`failed` = `failed` + 1"
SET `failed` = `failed` + 1 ], [
WHERE `uri-id` = ? AND `gsid` = ?", "`uri-id` = ? AND `gsid` = ?",
$deliveryQueueItem->postUriId, $deliveryQueueItem->targetServerId $deliveryQueueItem->postUriId,
); $deliveryQueueItem->targetServerId
]);
} }
public function optimizeStorage(): bool public function optimizeStorage(): bool
{ {
return $this->db->e("OPTIMIZE TABLE " . DBA::buildTableString([self::$table_name])); return $this->db->optimizeTable(self::$table_name);
} }
} }

View File

@ -78,7 +78,7 @@ class Delivery
*/ */
public static function incrementFailed(int $uri_id, string $inbox) public static function incrementFailed(int $uri_id, string $inbox)
{ {
return DBA::e('UPDATE `post-delivery` SET `failed` = `failed` + 1 WHERE `uri-id` = ? AND `inbox-id` = ?', $uri_id, ItemURI::getIdByURI($inbox)); return DBA::update('post-delivery', ["`failed` = `failed` + 1"], ['uri-id' => $uri_id, 'inbox-id' => ItemURI::getIdByURI($inbox)]);
} }
public static function selectForInbox(string $inbox) public static function selectForInbox(string $inbox)

View File

@ -82,27 +82,27 @@ class DeliveryData
*/ */
public static function incrementQueueDone(int $uri_id, int $protocol = 0) public static function incrementQueueDone(int $uri_id, int $protocol = 0)
{ {
$sql = ''; $increments = ["`queue_done` = `queue_done` + 1"];
switch ($protocol) { switch ($protocol) {
case self::ACTIVITYPUB: case self::ACTIVITYPUB:
$sql = ", `activitypub` = `activitypub` + 1"; $increments[] = ["`activitypub` = `activitypub` + 1"];
break; break;
case self::DFRN: case self::DFRN:
$sql = ", `dfrn` = `dfrn` + 1"; $increments[] = ["`dfrn` = `dfrn` + 1"];
break; break;
case self::LEGACY_DFRN: case self::LEGACY_DFRN:
$sql = ", `legacy_dfrn` = `legacy_dfrn` + 1"; $increments[] = ["`legacy_dfrn` = `legacy_dfrn` + 1"];
break; break;
case self::DIASPORA: case self::DIASPORA:
$sql = ", `diaspora` = `diaspora` + 1"; $increments[] = ["`diaspora` = `diaspora` + 1"];
break; break;
case self::OSTATUS: case self::OSTATUS:
$sql = ", `ostatus` = `ostatus` + 1"; $increments[] = ["`ostatus` = `ostatus` + 1"];
break; break;
} }
return DBA::e('UPDATE `post-delivery-data` SET `queue_done` = `queue_done` + 1' . $sql . ' WHERE `uri-id` = ?', $uri_id); return DBA::update('post-delivery-data', $increments, ['uri-id' => $uri_id]);
} }
/** /**
@ -116,7 +116,7 @@ class DeliveryData
*/ */
public static function incrementQueueFailed(int $uri_id) public static function incrementQueueFailed(int $uri_id)
{ {
return DBA::e('UPDATE `post-delivery-data` SET `queue_failed` = `queue_failed` + 1 WHERE `uri-id` = ?', $uri_id); return DBA::update('post-delivery-data', ["`queue_failed` = `queue_failed` + 1"], ['uri-id' => $uri_id]);
} }
/** /**
@ -129,7 +129,7 @@ class DeliveryData
*/ */
public static function incrementQueueCount(int $uri_id, int $increment = 1) public static function incrementQueueCount(int $uri_id, int $increment = 1)
{ {
return DBA::e('UPDATE `post-delivery-data` SET `queue_count` = `queue_count` + ? WHERE `uri-id` = ?', $increment, $uri_id); return DBA::update('post-delivery-data', ["`queue_count` = `queue_count` + $increment"], ['uri-id' => $uri_id]);
} }
/** /**

View File

@ -312,7 +312,7 @@ class Queue
// Optimizing this table only last seconds // Optimizing this table only last seconds
if (DI::config()->get('system', 'optimize_tables')) { if (DI::config()->get('system', 'optimize_tables')) {
Logger::info('Optimize start'); Logger::info('Optimize start');
DBA::e("OPTIMIZE TABLE `inbox-entry`"); DBA::optimizeTable('inbox-entry');
Logger::info('Optimize end'); Logger::info('Optimize end');
} }
} }

View File

@ -163,15 +163,6 @@ class Cron
{ {
Logger::info('Looking for sleeping processes'); Logger::info('Looking for sleeping processes');
$processes = DBA::p("SHOW FULL PROCESSLIST"); DBA::deleteSleepingProcesses();
while ($process = DBA::fetch($processes)) {
if (($process['Command'] != 'Sleep') || ($process['Time'] < 300) || ($process['db'] != DBA::databaseName())) {
continue;
}
DBA::e("KILL ?", $process['Id']);
Logger::notice('Killed sleeping process', ['id' => $process['Id']]);
}
DBA::close($processes);
} }
} }

View File

@ -40,36 +40,36 @@ class OptimizeTables
Logger::info('Optimize start'); Logger::info('Optimize start');
DBA::e("OPTIMIZE TABLE `cache`"); DBA::optimizeTable('cache');
DBA::e("OPTIMIZE TABLE `locks`"); DBA::optimizeTable('locks');
DBA::e("OPTIMIZE TABLE `oembed`"); DBA::optimizeTable('oembed');
DBA::e("OPTIMIZE TABLE `parsed_url`"); DBA::optimizeTable('parsed_url');
DBA::e("OPTIMIZE TABLE `session`"); DBA::optimizeTable('session');
if (DI::config()->get('system', 'optimize_all_tables')) { if (DI::config()->get('system', 'optimize_all_tables')) {
DBA::e("OPTIMIZE TABLE `apcontact`"); DBA::optimizeTable('apcontact');
DBA::e("OPTIMIZE TABLE `contact`"); DBA::optimizeTable('contact');
DBA::e("OPTIMIZE TABLE `contact-relation`"); DBA::optimizeTable('contact-relation');
DBA::e("OPTIMIZE TABLE `conversation`"); DBA::optimizeTable('conversation');
DBA::e("OPTIMIZE TABLE `diaspora-contact`"); DBA::optimizeTable('diaspora-contact');
DBA::e("OPTIMIZE TABLE `diaspora-interaction`"); DBA::optimizeTable('diaspora-interaction');
DBA::e("OPTIMIZE TABLE `fcontact`"); DBA::optimizeTable('fcontact');
DBA::e("OPTIMIZE TABLE `gserver`"); DBA::optimizeTable('gserver');
DBA::e("OPTIMIZE TABLE `gserver-tag`"); DBA::optimizeTable('gserver-tag');
DBA::e("OPTIMIZE TABLE `inbox-status`"); DBA::optimizeTable('inbox-status');
DBA::e("OPTIMIZE TABLE `item-uri`"); DBA::optimizeTable('item-uri');
DBA::e("OPTIMIZE TABLE `notification`"); DBA::optimizeTable('notification');
DBA::e("OPTIMIZE TABLE `notify`"); DBA::optimizeTable('notify');
DBA::e("OPTIMIZE TABLE `photo`"); DBA::optimizeTable('photo');
DBA::e("OPTIMIZE TABLE `post`"); DBA::optimizeTable('post');
DBA::e("OPTIMIZE TABLE `post-content`"); DBA::optimizeTable('post-content');
DBA::e("OPTIMIZE TABLE `post-delivery-data`"); DBA::optimizeTable('post-delivery-data');
DBA::e("OPTIMIZE TABLE `post-link`"); DBA::optimizeTable('post-link');
DBA::e("OPTIMIZE TABLE `post-thread`"); DBA::optimizeTable('post-thread');
DBA::e("OPTIMIZE TABLE `post-thread-user`"); DBA::optimizeTable('post-thread-user');
DBA::e("OPTIMIZE TABLE `post-user`"); DBA::optimizeTable('post-user');
DBA::e("OPTIMIZE TABLE `storage`"); DBA::optimizeTable('storage');
DBA::e("OPTIMIZE TABLE `tag`"); DBA::optimizeTable('tag');
} }
Logger::info('Optimize end'); Logger::info('Optimize end');

View File

@ -35,6 +35,15 @@ return [
'workerqueue', 'workerqueue',
'mail', 'mail',
'post-delivery-data', 'post-delivery-data',
'gserver' => [
[
'url' => 'https://friendica.local',
'nurl' => 'http://friendica.local',
'register_policy' => 0,
'registered-users' => 0,
'network' => 'unkn',
],
],
// Base test config to avoid notice messages // Base test config to avoid notice messages
'user' => [ 'user' => [
[ [

View File

@ -0,0 +1,88 @@
<?php
/**
* @copyright Copyright (C) 2010-2023, the Friendica project
*
* @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 <https://www.gnu.org/licenses/>.
*
*/
namespace Friendica\Test\src\Database;
use Friendica\Core\Config\Util\ConfigFileManager;
use Friendica\Core\Config\ValueObject\Cache;
use Friendica\Test\FixtureTest;
use Friendica\Test\Util\CreateDatabaseTrait;
class DatabaseTest extends FixtureTest
{
use CreateDatabaseTrait;
protected function setUp(): void
{
$this->setUpVfsDir();
parent::setUp();
$this->configCache = new Cache();
$this->configFileManager = new ConfigFileManager($this->root->url(), $this->root->url() . '/config/', $this->root->url() . '/static/');
}
/**
* Test, if directly updating a field is possible
*/
public function testUpdateIncrease()
{
$db = $this->getDbInstance();
self::assertTrue($db->insert('config', ['cat' => 'test', 'k' => 'inc', 'v' => 0]));
self::assertTrue($db->update('config', ["`v` = `v` + 1"], ['cat' => 'test', 'k' => 'inc']));
self::assertEquals(1, $db->selectFirst('config', ['v'], ['cat' => 'test', 'k' => 'inc'])['v']);
}
/**
* Test if combining directly field updates with normal updates is working
*/
public function testUpdateWithField()
{
$db = $this->getDbInstance();
self::assertEquals('https://friendica.local', $db->selectFirst('gserver', ['url'], ['nurl' => 'http://friendica.local'])['url']);
self::assertTrue($db->update('gserver', ['active-week-users' => 0], ['nurl' => 'http://friendica.local']));
self::assertTrue($db->update('gserver', [
'site_name' => 'test', "`registered-users` = `registered-users` + 1",
'info' => 'another test',
"`active-week-users` = `active-week-users` + 2"
], [
'nurl' => 'http://friendica.local'
]));
self::assertEquals(1, $db->selectFirst('gserver', ['registered-users'], ['nurl' => 'http://friendica.local'])['registered-users']);
self::assertEquals(2, $db->selectFirst('gserver', ['active-week-users'], ['nurl' => 'http://friendica.local'])['active-week-users']);
self::assertTrue($db->update('gserver', [
'site_name' => 'test', "`registered-users` = `registered-users` + 1",
'info' => 'another test'
], [
'nurl' => 'http://friendica.local'
]));
self::assertEquals(2, $db->selectFirst('gserver', ['registered-users'], ['nurl' => 'http://friendica.local'])['registered-users']);
self::assertTrue($db->update('gserver', [
'site_name' => 'test', "`registered-users` = `registered-users` - 1",
'info' => 'another test'
], [
'nurl' => 'http://friendica.local'
]));
self::assertEquals(1, $db->selectFirst('gserver', ['registered-users'], ['nurl' => 'http://friendica.local'])['registered-users']);
}
}