12 Commits
1.0.1 ... 5.0

Author SHA1 Message Date
User
e390bc262e 20250128#2 2025-01-28 03:32:28 +03:00
User
2afc439354 20250128#1 2025-01-28 03:31:47 +03:00
User
2cfc92584c 20250126#2 2025-01-26 14:56:59 +03:00
User
ac572cc92b 20250113#1 2025-01-13 04:23:59 +03:00
User
448128d228 20240427#1 2024-04-27 03:02:16 +03:00
User
120d795b85 20240407#1 2024-04-07 21:13:28 +03:00
User
6caceefc17 20240406#2 2024-04-06 01:43:19 +03:00
User
c681de9bfb 20240406#1 2024-04-06 00:32:48 +03:00
User
2e384e2071 20231010#4 2023-10-10 17:18:44 +03:00
User
368ccfa44b 20231010#3 2023-10-10 16:16:21 +03:00
User
f0f862d979 20231010#2 2023-10-10 15:02:59 +03:00
User
c43f3a4768 20231010#1 2023-10-10 14:39:27 +03:00
15 changed files with 854 additions and 279 deletions

View File

@@ -7,15 +7,15 @@ DB component for **Rmphp**
Stable version Stable version
```bash ```bash
composer require rmphp/kernel composer require rmphp/storage
``` ```
```bash ```bash
composer require rmphp/kernel:"^1.0" composer require rmphp/storage:"^5.0"
``` ```
Dev version contains the latest changes Dev version contains the latest changes
```bash ```bash
composer require rmphp/kernel:"1.x-dev" composer require rmphp/storage:"5.x-dev"
``` ```

View File

@@ -0,0 +1,198 @@
<?php
namespace Rmphp\Storage;
use Rmphp\Storage\Entity\EntityInterface;
use Rmphp\Storage\Mysql\MysqlRepositoryInterface;
use Rmphp\Storage\Mysql\MysqlResultData;
use Rmphp\Storage\Mysql\MysqlStorageInterface;
abstract class AbstractMysqlRepository extends AbstractRepository implements MysqlRepositoryInterface {
public const DEBUG = false;
public const TABLE = null;
public const ENTITY = null;
private string $table;
private string $entity;
private bool $debug;
public function __construct(
public readonly MysqlStorageInterface $mysql
) {}
/** @inheritDoc */
public function createFromResult(string $class, bool|MysqlResultData $result, callable $function = null): mixed {
if($result instanceof MysqlResultData) {
$val = (isset($function)) ? $function($result->fetchOne()) : $result->fetchOne();
$out = $this->createFromData($class, $val);
}
return $out ?? null;
}
/** @inheritDoc */
public function createListFromResult(string $class, bool|MysqlResultData $result, callable $function = null): array {
if($result instanceof MysqlResultData) {
foreach($result->fetch() as $resultValue) {
$val = (isset($function)) ? $function($resultValue) : $resultValue;
$out[] = $this->createFromData($class, $val);
}
}
return $out ?? [];
}
/** @inheritDoc */
public function getEntityById(int $id, string $table = null): mixed {
if(!isset($table)) $table = $this->getTable();
if($result = $this->mysql->findById($table, $id)) $out = $this->createFromData($this->getEntityClass(), $result);
return $out ?? null;
}
/** @inheritDoc */
public function saveEntity(EntityInterface $object, string $table = null) : mixed {
if(!isset($table)) $table = $this->getTable();
$in = $this->getProperties($object, function ($value){
return (is_string($value)) ? $this->mysql->escapeStr($value) : $value;
});
if($this->getDebug()) {$this->debug($object, $in, $table); exit;}
try {
if (!empty($object->getId()) && !empty($this->mysql->findById($table, $object->getId()))) {
$this->mysql->updateById($table, $in, $object->getId());
return $object->getId();
} else {
$this->mysql->insert($table, $in);
return (is_string($object->getId())) ? $object->getId() : $this->mysql->mysql()->insert_id;
}
} catch (\Throwable $throwable) {throw new RepositoryException($throwable->getMessage());}
}
/** @inheritDoc */
public function saveData(array $data, string $table = null, string $primaryKey = 'id') : mixed {
if(!isset($table)) $table = $this->getTable();
$in = array_map(function ($value){
return (is_string($value)) ? $this->mysql->escapeStr($value) : $value;
}, $data);
if($this->getDebug()) {$this->debug($data, $in, $table); exit;}
try {
if (!empty($data[$primaryKey]) && !empty($this->mysql->findById($table, $data[$primaryKey], $primaryKey))) {
$this->mysql->updateById($table, $in, $data[$primaryKey]);
return $data[$primaryKey];
} else {
$this->mysql->insert($table, $in);
return (is_string($data[$primaryKey])) ? $data[$primaryKey] : $this->mysql->mysql()->insert_id;
}
} catch (\Throwable $throwable) {throw new RepositoryException($throwable->getMessage());}
}
/** @inheritDoc */
public function saveEntityGroup(array $objects, string $table = null): array {
try{
$this->mysql->mysql()->begin_transaction();
foreach($objects as $object) $id[] = $this->saveEntity($object, $table);
$this->mysql->mysql()->commit();
return $id ?? [];
}
catch (\Exception $exception){
$this->mysql->mysql()->rollback();
throw new RepositoryException($exception->getMessage());
}
}
/** @inheritDoc */
public function saveDataGroup(array $objects, string $table = null, string $primaryKey = 'id'): array {
try{
$this->mysql->mysql()->begin_transaction();
foreach($objects as $object) $id[] = $this->saveData($object, $table, $primaryKey);
$this->mysql->mysql()->commit();
return $id ?? [];
}
catch (\Exception $exception){
$this->mysql->mysql()->rollback();
throw new RepositoryException($exception->getMessage());
}
}
/** @inheritDoc */
public function deleteEntity(EntityInterface $object, string $table = null) : bool {
if(!isset($table)) $table = $this->getTable();
if(!empty($object->getId())){
return $this->mysql->deleteById($table, $object->getId());
}
return false;
}
/** @inheritDoc */
public function getStorageLogs() : array {
return $this->mysql->getLogs();
}
/** @inheritDoc */
public function setTable(string $table) : void {
$this->table = $table;
}
/** @inheritDoc */
public function setEntity(string $entity) : void {
$this->entity = $entity;
}
/** @inheritDoc */
public function setDebug(bool $debug) : void {
$this->debug = $debug;
}
/**
* @return string
* @throws RepositoryException
*/
private function getTable() : string {
if(!empty($this->table)) return $this->table;
if(!empty(static::TABLE)) return static::TABLE;
throw new RepositoryException("Имя таблицы не задано");
}
/**
* @return string
* @throws RepositoryException
*/
private function getEntityClass() : string {
if(!empty($this->entity)) return $this->entity;
if(!empty(static::ENTITY)) return static::ENTITY;
throw new RepositoryException("Не указан объект");
}
/**
* @return bool
*/
private function getDebug(): bool {
if(!empty($this->debug)) return $this->debug;
if(!empty(static::DEBUG)) return static::DEBUG;
return false;
}
/**
* @param ...$arg
* @return void
*/
protected function debug(...$arg) : void {
if(function_exists('dd')) dd(...$arg);
if(function_exists('vdd')) vdd(...$arg);
var_dump(...$arg);
}
}

102
src/AbstractRepository.php Normal file
View File

@@ -0,0 +1,102 @@
<?php
namespace Rmphp\Storage;
use ReflectionClass;
use ReflectionException;
use ReflectionProperty;
use Rmphp\Storage\Entity\ValueObjectInterface;
abstract class AbstractRepository implements RepositoryInterface {
static array $classes = [];
/** @inheritDoc */
public function createFromData(string $class, $data) : object {
try {
if(!isset(static::$classes[$class])) static::$classes[$class] = new ReflectionClass($class);
return $this->fillObject(static::$classes[$class], new $class, $data);
}
catch (ReflectionException $exception) {
throw new RepositoryException($exception->getMessage());
}
}
/** @inheritDoc */
public function updateFromData(object $object, array $data) : object {
try {
$class = get_class($object);
if(!isset(static::$classes[$class])) static::$classes[$class] = new ReflectionClass($class);
return $this->fillObject(static::$classes[$class], clone $object, $data, true);
}
catch (RepositoryException|ReflectionException $exception) {
throw new RepositoryException($exception->getMessage());
}
}
/**
* @param object $object
* @param callable|null $method
* @return array
* @throws RepositoryException
*/
public function getProperties(object $object, callable $method = null) : array {
try{
$class = get_class($object);
if(!isset(static::$classes[$class])) static::$classes[$class] = new ReflectionClass($class);
/** @var ReflectionProperty $property */
foreach(static::$classes[$class]->getProperties() as $property){
if(!$property->isInitialized($object)) continue;
if(static::$classes[$class]->hasMethod('get'.ucfirst($property->getName()))){
$fieldValue[$property->getName()] = $object->{'get'.ucfirst($property->getName())}($property->getValue($object));
}
elseif($property->hasType() && class_exists($property->getType()->getName()) && $property->getValue($object) instanceof ValueObjectInterface){
$fieldValue[$property->getName()] = $property->getValue($object)->get();
}
elseif(is_bool($property->getValue($object))){
$fieldValue[$property->getName()] = (int) $property->getValue($object);
}
else $fieldValue[$property->getName()] = $property->getValue($object);
$fieldNameSnakeCase = strtolower(preg_replace("'([A-Z])'", "_$1", $property->getName()));
if(false !== $fieldValue[$property->getName()]) $out[$fieldNameSnakeCase] = $fieldValue[$property->getName()];
}
return (isset($method)) ? array_map($method, $out ?? []) : $out ?? [];
}
catch (ReflectionException $exception) {
throw new RepositoryException($exception->getMessage());
}
}
/**
* @param ReflectionClass $class
* @param object $object
* @param array $data
* @param bool $update
* @return mixed
* @throws RepositoryException
*/
private function fillObject(ReflectionClass $class, object $object, array $data, bool $update = false) : mixed {
try {
foreach($class->getProperties() as $property){
if($update && !array_key_exists($property->getName(), $data) && !array_key_exists(strtolower(preg_replace("'([A-Z])'", "_$1", $property->getName())), $data)) continue;
// data[propertyName] ?? data[property_name] ?? null
$value = $data[$property->getName()] ?? $data[strtolower(preg_replace("'([A-Z])'", "_$1", $property->getName()))] ?? null;
// если есть внутренний метод (приоритетная обработка)
if($class->hasMethod('set'.ucfirst($property->getName()))) $object->{'set'.ucfirst($property->getName())}($value);
// Если тип свойства класс (valueObject)
elseif($property->hasType() && class_exists($property->getType()->getName())) $object->{$property->getName()} = (is_object($value)) ? $value : new ($property->getType()->getName())($value);
// если значения не пустое
elseif(isset($value)) $object->{$property->getName()} = $value;
// если значения может быть пустое
elseif($property->getType()->allowsNull()) $object->{$property->getName()} = null;
}
return $object;
}
catch (ReflectionException $exception) {
throw new RepositoryException($exception->getMessage());
}
}
}

View File

@@ -0,0 +1,14 @@
<?php
namespace Rmphp\Storage\Entity;
abstract class AbstractEntity implements EntityInterface {
/**
* @return int|null
*/
public function getId(): mixed {
return (isset($this->id)) ? (($this->id instanceof ValueObjectInterface) ? $this->id->get() : $this->id) : null;
}
}

View File

@@ -0,0 +1,18 @@
<?php
/**
* Created by PhpStorm.
* User: Zuev Yuri
* Date: 23.04.2024
* Time: 3:58
*/
namespace Rmphp\Storage\Entity;
interface EntityInterface {
/**
* @return int|null
*/
public function getId(): mixed;
}

View File

@@ -0,0 +1,10 @@
<?php
namespace Rmphp\Storage\Entity;
interface ValueObjectInterface {
public function get();
public function __toString(): string;
}

View File

@@ -1,8 +0,0 @@
<?php
namespace Rmphp\Storage\Exception;
class MysqlException extends \Exception {
}

View File

@@ -0,0 +1,108 @@
<?php
/**
* Created by PhpStorm.
* User: Zuev Yuri
* Date: 12.01.2025
* Time: 21:44
*/
namespace Rmphp\Storage\Mysql;
use Rmphp\Storage\Entity\EntityInterface;
use Rmphp\Storage\RepositoryException;
use Rmphp\Storage\RepositoryInterface;
interface MysqlRepositoryInterface extends RepositoryInterface {
/**
* @param string $class
* @param bool|MysqlResultData $result
* @param callable|null $function
* @return mixed
* @throws RepositoryException
*/
public function createFromResult(string $class, bool|MysqlResultData $result, callable $function = null): mixed;
/**
* @param string $class
* @param bool|MysqlResultData $result
* @param callable|null $function
* @return array
* @throws RepositoryException
*/
public function createListFromResult(string $class, bool|MysqlResultData $result, callable $function = null): array;
/**
* @param int $id
* @param string|null $table
* @return mixed
* @throws RepositoryException
*/
public function getEntityById(int $id, string $table = null): mixed;
/**
* @param EntityInterface $object
* @param string|null $table
* @return mixed
* @throws RepositoryException
*/
public function saveEntity(EntityInterface $object, string $table = null) : mixed;
/**
* @param array $data
* @param string|null $table
* @param string $primaryKey
* @return mixed
* @throws RepositoryException
*/
public function saveData(array $data, string $table = null, string $primaryKey = 'id') : mixed;
/**
* @param array $objects
* @param string|null $table
* @return array
* @throws RepositoryException
*/
public function saveEntityGroup(array $objects, string $table = null): array;
/**
* @param array $objects
* @param string|null $table
* @param string $primaryKey
* @return array
* @throws RepositoryException
*/
public function saveDataGroup(array $objects, string $table = null, string $primaryKey = 'id'): array;
/**
* @param EntityInterface $object
* @param string|null $table
* @return bool
* @throws RepositoryException
*/
public function deleteEntity(EntityInterface $object, string $table = null) : bool;
/**
* @return array
*/
public function getStorageLogs() : array;
/**
* @param string $table
* @return void
*/
public function setTable(string $table) : void;
/**
* @param string $entity
* @return void
*/
public function setEntity(string $entity) : void;
/**
* @param bool $debug
* @return void
*/
public function setDebug(bool $debug) : void;
}

View File

@@ -1,13 +1,14 @@
<?php <?php
namespace Rmphp\Storage; namespace Rmphp\Storage\Mysql;
class MysqlStorageData { class MysqlResultData {
private ?\mysqli_result $result; private ?\mysqli_result $result;
private array $arrayData = []; private array $arrayData = [];
public int $count; public int $count;
public string $hex = "";
/** /**
* MysqlDataObject constructor. * MysqlDataObject constructor.
@@ -34,14 +35,14 @@ class MysqlStorageData {
/** /**
* @return iterable * @return iterable
*/ */
public function fatch(): iterable { public function fetch(): iterable {
if(!empty($this->arrayData)) return $this->arrayData; if(!empty($this->arrayData)) return $this->arrayData;
if(!$this->result) return []; if(!$this->result) return [];
return $this->generator(); return $this->generator();
} }
public function fatchOne(int $index = 0) : array { public function fetchOne(int $index = 0) : array {
if(!$this->result) return []; if(!$this->result) return [];
$this->result->data_seek($index); $this->result->data_seek($index);
return $this->result->fetch_assoc(); return $this->result->fetch_assoc();

207
src/Mysql/MysqlStorage.php Normal file
View File

@@ -0,0 +1,207 @@
<?php
namespace Rmphp\Storage\Mysql;
use Exception;
use Mysqli;
use mysqli_result;
class MysqlStorage implements MysqlStorageInterface {
public array $log = array();
public bool $logsEnabled = false;
private Mysqli $mysqli;
/**
* Внутренний конструктор подключения к БД
* Mysql constructor.
* @param array $params
* @throws Exception
*/
public function __construct(array $params) {
$this->mysqli = new mysqli($params['host'], $params['user'], $params['pass'], $params['base']);
// выводим ошибку при неудачном подключении
if ($this->mysqli->connect_errno) {
throw new Exception($this->mysqli->connect_errno);
}
$this->mysqli->set_charset("utf8");
if(!empty($params['logsEnable'])) $this->logsEnabled = true;
}
/** @inheritDoc */
public function mysql() : Mysqli {
return $this->mysqli;
}
/** @inheritDoc */
public function query(string $sql) : bool|mysqli_result
{
try{
$result = $this->mysqli->query($sql);
if($this->mysqli->errno) throw new Exception();
$this->addLog("OK - $sql");
return $result;
}
catch (Exception $exception){
$this->addLog("Err - SQL: $sql | error: ".$this->mysqli->error);
return false;
}
}
/** @inheritDoc */
public function insert(string $table, array $data, bool $update = false) : bool {
$chunks = $this->getInsertValue($data);
$upd = $this->getUpdateValue($data);
if (!$update) {
$sql = "insert low_priority into ".$this->escapeStr($table)." (".implode(",", $chunks['columns']).") values (".implode(",", $chunks['values']).")";
} else{
$sql = "insert low_priority into ".$this->escapeStr($table)." (".implode(",", $chunks['columns']).") values (".implode(",", $chunks['values']).") on duplicate key update ".implode(",", $upd);
}
return $this->query($sql);
}
/** @inheritDoc */
public function batchInsert(string $table, array $data) : bool {
foreach($data as $insertRow){
$chunks = $this->getInsertValue($insertRow);
$values[] = "(".implode(",", $chunks['values']).")";
}
$sql = "insert low_priority into ".$this->escapeStr($table)." (".implode(",", $chunks['columns'] ?? []).") values ".implode(",", $values ?? []);
return $this->query($sql);
}
/** @inheritDoc */
public function updateById(string $table, array $data, mixed $id, array $modifier = []) : bool {
$chunks = $this->getUpdateValue($data);
$id = (is_numeric($id)) ? (int) $id : $this->escapeStr($id);
$sql = "update low_priority ".implode(" ", $modifier)." ".$this->escapeStr($table)." set ".implode(",", $chunks)." where id = '$id'";
return $this->query($sql);
}
/** @inheritDoc */
public function updateByParam(string $table, array $data, string $case, array $modifier = []) : bool {
$chunks = $this->getUpdateValue($data);
$sql = "update low_priority ".implode(" ", $modifier)." ".$this->escapeStr($table)." set ". implode(",", $chunks)." where ".$case;
return $this->query($sql);
}
/** @inheritDoc */
public function replace(string $table, array $data) : bool {
$chunks = $this->getInsertValue($data);
$sql = "replace low_priority into ".$this->escapeStr($table)." (".implode(",", $chunks['columns']).") values (".implode(",", $chunks['values']).")";
return $this->query($sql);
}
/** @inheritDoc */
public function deleteById(string $table, mixed $id) : bool {
$id = (is_numeric($id)) ? (int) $id : $this->escapeStr($id);
$sql = "delete low_priority from ".$this->escapeStr($table)." where id='$id'";
// возвращаем число затронутых строк/false
return $this->query($sql);
}
/** @inheritDoc */
public function deleteByParam(string $table, string $case) : bool {
$sql = "delete low_priority from ".$this->escapeStr($table)." where ".$case;
// возвращаем число затронутых строк/false
return $this->query($sql);
}
/** @inheritDoc */
public function find(string $sql, int $ln=0, int $numPage=1, int $count=0): bool|MysqlResultData {
if ($ln > 1) {
$cnts = (!empty($count)) ? $count : $this->query($sql)->num_rows;
}
switch (true){
case ($ln > 1 || $numPage > 1) : $limit = " limit ".(($numPage * $ln) - $ln).", ".$ln; break;
case ($ln == 1): $limit = " limit 0, 1"; break;
default: $limit = "";
}
$result = $this->query($sql.$limit);
if (!$result || $result->num_rows == 0) return false;
$data = new MysqlResultData($result);
$data->count = $cnts ?? 0;
$data->hex = md5($sql);
return $data;
}
/** @inheritDoc */
public function findOne(string $sql) : bool|MysqlResultData {
$result = $this->query($sql." limit 0, 1");
if (!$result || $result->num_rows == 0) return false;
return new MysqlResultData($result);
}
/** @inheritDoc */
public function findById(string $table, mixed $id, string $name = 'id') : bool|array {
$id = (is_numeric($id)) ? (int) $id : $this->escapeStr($id);
$result = $this->query("select * from ".$this->escapeStr($table)." where `$name`='$id' limit 0, 1");
if (!$result || $result->num_rows == 0) return false;
$data = new MysqlResultData($result);
return $data->fetchOne();
}
/** @inheritDoc */
public function escapeReg(string $string) : ?string {
if(!isset($string)) return null;
return trim(addcslashes($this->mysqli->real_escape_string($string), "%_"));
}
/** @inheritDoc */
public function escapeStr(?string $string) : ?string {
if(!isset($string)) return null;
return trim($this->mysqli->real_escape_string($string));
}
/** @inheritDoc */
public function addLog(string $log) : void {
if($this->logsEnabled) $this->log[] = $log;
}
/** @inheritDoc */
public function getLogs() : array {
return $this->log;
}
/** @inheritDoc */
public function getLastLog() : string {
return $this->log[count($this->log)-1];
}
/**
* @param array $array
* @return array[]
*/
private function getInsertValue(array $array) : array {
foreach ($array as $key => $value) {
$colunms[] = "`$key`";
$values[] = ($value !== NULL) ? "'$value'" : "NULL";
}
return [
"columns" => $colunms ?? [],
"values" => $values ?? []
];
}
/**
* @param array $array
* @return array
*/
private function getUpdateValue(array $array) : array {
foreach ($array as $key => $value) {
$out[] = ($value !== NULL) ? "`$key`='$value'" : "`$key`=NULL";
}
return $out ?? [];
}
}

View File

@@ -0,0 +1,130 @@
<?php
namespace Rmphp\Storage\Mysql;
use Mysqli;
use mysqli_result;
interface MysqlStorageInterface {
/**
* @return Mysqli
*/
public function mysql() : Mysqli;
/**
* Метод прямого запроса к текущей БД
* @param string $sql
* @return bool|mysqli_result
*/
public function query(string $sql) : bool|mysqli_result;
/**
* Метод добавления записи в текущую БД
* @param string $table
* @param array $data
* @param bool $update
* @return bool
*/
public function insert(string $table, array $data, bool $update = false) : bool;
/**
* @param string $table
* @param array $data
* @return bool
*/
public function batchInsert(string $table, array $data) : bool;
/**
* Метод редактирования записи в текущей БД по ID
* @param string $table
* @param array $data
* @param mixed $id
* @param array $modifier
* @return bool
*/
public function updateById(string $table, array $data, mixed $id, array $modifier = []) : bool;
/**
* @param string $table
* @param array $data
* @param string $case
* @param array $modifier
* @return bool
*/
public function updateByParam(string $table, array $data, string $case, array $modifier = []) : bool;
/**
* @param string $table
* @param array $data
* @return bool
*/
public function replace(string $table, array $data) : bool;
/**
* @param string $table
* @param mixed $id
* @return bool
*/
public function deleteById(string $table, mixed $id) : bool;
/**
* @param string $table
* @param string $case
* @return bool
*/
public function deleteByParam(string $table, string $case) : bool;
/**
* @param string $sql
* @param int $ln
* @param int $numPage
* @param int $count
* @return bool|MysqlResultData
*/
public function find(string $sql, int $ln = 0, int $numPage = 1, int $count=0) : bool|MysqlResultData;
/**
* @param string $sql
* @return bool|array
*/
public function findOne(string $sql) : bool|MysqlResultData;
/**
* @param string $table
* @param mixed $id
* @param string $name
* @return bool|array
*/
public function findById(string $table, mixed $id, string $name = 'id') : bool|array;
/**
* Метод экранирования данных с учетом текущего подключения в т.ч для LIKE
* @param string $string
* @return string|null
*/
public function escapeReg(string $string) : ?string;
/**
* Метод экранирования данных с учетом текущего подключения
* @param string|null $string
* @return string|null
*/
public function escapeStr(?string $string) : ?string;
/**
* Метод наполнения статичного массива с логами
* @param string $log
*/
public function addLog(string $log) : void;
/**
* @return array
*/
public function getLogs() : array;
/**
* @return string
*/
public function getLastLog() : string;
}

View File

@@ -1,166 +0,0 @@
<?php
namespace Rmphp\Storage;
use Exception;
use Mysqli;
use mysqli_result;
class MysqlStorage implements MysqlStorageInterface {
public array $log = array();
public bool $logsEnabled = false;
private Mysqli $mysqli;
/**
* Внутренний конструктор подключения к БД
* Mysql constructor.
* @param array $params
* @throws Exception
*/
public function __construct(array $params) {
$this->mysqli = new mysqli($params['host'], $params['user'], $params['pass'], $params['base']);
// выводим ошибку при неудачном подключении
if ($this->mysqli->connect_errno) {
throw new Exception($this->mysqli->connect_errno);
}
$this->mysqli->set_charset("utf8");
if(!empty($params['logsEnable'])) $this->logsEnabled = true;
}
/** @inheritDoc */
public function mysql() : Mysqli {
return $this->mysqli;
}
/** @inheritDoc */
public function query(string $sql) : bool|mysqli_result
{
try{
$result = $this->mysqli->query($sql);
// запись в log
($this->mysqli->errno)
? $this->addLog("Err - SQL: ".$sql." | error: ".$this->mysqli->error)
: $this->addLog("OK - ".$sql);
return $result;
}
/* 8.1.0 Теперь по умолчанию установлено значение MYSQLI_REPORT_ERROR | MYSQLI_REPORT_STRICT и выбрасывается исключение. Ранее оно было MYSQLI_REPORT_OFF. */
catch (Exception $exception){
$this->addLog("Err - SQL: ".$sql." | error: ".$this->mysqli->error);
return false;
}
}
/** @inheritDoc */
public function add(string $tbl, array $arr, bool $update = false) : bool {
foreach ($arr as $key => $value) {
$col[] = "`$key`";
$val[] = ($value !== NULL) ? "'$value'" : "NULL";
$upd[] = ($value !== NULL) ? "`$key`='$value'" : "`$key`=NULL";
}
// Собираем в строки для использования в запросе
$col = implode(", ", $col);
$val = implode(", ", $val);
if (!$update) {
$sql = "insert low_priority into ".$this->escapeStr($tbl)." (".$col.") values (" . $val . ")";
} else{
$sql = "insert low_priority into ".$this->escapeStr($tbl)." (".$col.") values (".$val.") on duplicate key update ".implode(", ", $upd);
}
return $this->query($sql);
}
/** @inheritDoc */
public function edit(string $tbl, array $arr, string $case, bool $ignore=false) : bool {
foreach ($arr as $key => $value) {
$isql[] = ($value !== NULL) ? "`$key`='$value'" : "`$key`=NULL";
}
$where = (preg_match("'^[0-9]+$'",$case)) ? "id = '".(int) $case."'" : $case;
if(empty($ignore)) {
$sql = "update low_priority " . $this->escapeStr($tbl) . " set " . implode(", ", $isql) . " where " . $where;
} else {
$sql = "update low_priority ignore " . $this->escapeStr($tbl) . " set " . implode(", ", $isql) . " where " . $where;
}
return $this->query($sql);
}
/** @inheritDoc */
public function replace(string $tbl, array $arr) : bool {
foreach ($arr as $key => $value) {
$col[] = "`$key`";
$val[] = ($value !== NULL) ? "'$value'" : "NULL";
}
// Собираем в строки для использования в запросе
$col = implode(", ", $col);
$val = implode(", ", $val);
$sql = "replace low_priority into ".$this->escapeStr($tbl)." (".$col.") values (".$val.")";
return $this->query($sql);
}
/** @inheritDoc */
public function del(string $tbl, string $case) : bool {
$where = (preg_match("'^[0-9]+$'",$case)) ? "id = '".(int) $case."'" : $case;
$sql = "delete low_priority from ".$this->escapeStr($tbl)." where ".$where;
// возвращаем число затронутых строк/false
return $this->query($sql);
}
/** @inheritDoc */
public function read(string $sql, int $ln = 0, int $numPage = 1) : bool|MysqlStorageData {
if ($ln > 1) {
$cnts = $this->query($sql)->num_rows;
}
// часть строки запроса с лимит
switch (true){
case ($ln > 1 || $numPage > 1) : $limit = " limit ".(($numPage * $ln) - $ln).", ".$ln; break;
case ($ln == 1): $limit = " limit 0, 1"; break;
default: $limit = "";
}
$result = $this->query($sql.$limit);
if (!$result || $result->num_rows == 0) return false;
$data = new MysqlStorageData($result);
$data->count = $cnts ?? 0;
return $data;
}
/** @inheritDoc */
public function chktbl(string $tbl) : bool {
$result = $this->mysqli->query("SHOW TABLES LIKE '".$this->escapeStr($tbl)."'");
if ($result->num_rows == 0) {
$this->addLog(__METHOD__.":"." Err - Table ".$tbl." doesn't exist"); return false;
}
$this->addLog(__METHOD__.":"." OK - Table ".$tbl." exist");
return true;
}
/** @inheritDoc */
public function escapeReg(string $var) : ?string {
if(!isset($var)) return null;
return trim(addcslashes($this->mysqli->real_escape_string($var), "%_"));
}
/** @inheritDoc */
public function escapeStr(?string $var) : ?string {
if(!isset($var)) return null;
return trim($this->mysqli->real_escape_string($var));
}
/** @inheritDoc */
public function addLog(string $log) : void {
if($this->logsEnabled) $this->log[] = $log;
}
/** @inheritDoc */
public function getLogs() : array {
return $this->log;
}
/** @inheritDoc */
public function getLastLog() : string {
return $this->log[count($this->log)-1];
}
}

View File

@@ -1,97 +0,0 @@
<?php
namespace Rmphp\Storage;
interface MysqlStorageInterface {
/**
* @return \Mysqli
*/
public function mysql() : \Mysqli;
/**
* Метод прямого запроса к текущей БД
* @param string $sql
* @return bool|\mysqli_result
*/
public function query(string $sql) : bool|\mysqli_result;
/**
* Метод добавления записи в текущую БД
* @param string $tbl
* @param array $arr
* @param bool $update
* @return bool
*/
public function add(string $tbl, array $arr, bool $update = false) : bool;
/**
* Метод редактирования записи в текущей БД по ID
* @param string $tbl
* @param array $arr
* @param string $case
* @param bool $ignore
* @return bool
*/
public function edit(string $tbl, array $arr, string $case, bool $ignore=false) : bool;
/**
* Метод добавления записи в текущую БД
* @param string $tbl
* @param array $arr
* @return bool
*/
public function replace(string $tbl, array $arr) : bool;
/**
* @param string $tbl
* @param string $case
* @return bool
*/
public function del(string $tbl, string $case) : bool;
/**
* @param string $sql
* @param int $ln
* @param int $numPage
* @param int $count
* @return bool|MysqlStorageData
*/
public function read(string $sql, int $ln = 0, int $numPage = 1) : bool|MysqlStorageData;
/**
* @param string $tbl
* @return bool
*/
public function chktbl(string $tbl) : bool;
/**
* Метод экранирования данных с учетом текущего подключения в т.ч для LIKE
* @param string $var
* @return string|null
*/
public function escapeReg(string $var) : ?string;
/**
* Метод экранирования данных с учетом текущего подключения
* @param string|null $var
* @return string|null
*/
public function escapeStr(?string $var) : ?string;
/**
* Метод наполнения статичного массива с логами
* @param string $log
*/
public function addLog(string $log) : void;
/**
* @return array
*/
public function getLogs() : array;
/**
* @return string
*/
public function getLastLog() : string;
}

View File

@@ -0,0 +1,16 @@
<?php
namespace Rmphp\Storage;
use Throwable;
class RepositoryException extends \Exception {
public array $data;
public function __construct($message="", $code=0, array $data = [], Throwable $previous=null) {
parent::__construct($message, $code, $previous);
$this->data = $data;
}
}

View File

@@ -0,0 +1,42 @@
<?php
/**
* Created by PhpStorm.
* User: Zuev Yuri
* Date: 12.01.2025
* Time: 21:48
*/
namespace Rmphp\Storage;
use ReflectionException;
use Rmphp\Storage\Entity\EntityInterface;
interface RepositoryInterface {
/**
* @param string $class
* @param $data
* @return object
* @throws RepositoryException
*/
public function createFromData(string $class, $data) : mixed;
/**
* @param object $object
* @param array $data
* @return mixed
* @throws RepositoryException
*/
public function updateFromData(object $object, array $data) : mixed;
/**
* @param object $object
* @param callable|null $method
* @return array
* @throws RepositoryException
*/
public function getProperties(object $object, callable $method = null) : array;
}