Compare commits

..

1 commit

97 changed files with 1512 additions and 3394 deletions

View file

@ -8,21 +8,12 @@ namespace ctiso;
*/ */
class Adapter class Adapter
{ {
/** @var array|object */
protected $adaptee; protected $adaptee;
/**
* @param array|object $adaptee
*/
public function __construct ($adaptee) public function __construct ($adaptee)
{ {
$this->adaptee = $adaptee; $this->adaptee = $adaptee;
} }
/**
* @param string $name
* @return mixed
*/
public function get($name) public function get($name)
{ {
if (is_array ($this->adaptee)) { if (is_array ($this->adaptee)) {

View file

@ -4,12 +4,6 @@
namespace ctiso; namespace ctiso;
class Arr { class Arr {
/**
* @param array<string|int, mixed> $data
* @param string|int $key
* @param mixed $default
* @return mixed
*/
static function get($data, $key, $default = null) { static function get($data, $key, $default = null) {
return $data[$key] ?? $default; return $data[$key] ?? $default;
} }

View file

@ -3,18 +3,21 @@
namespace ctiso; namespace ctiso;
/** /**
* Коллекция * Коллекция
* @implements \ArrayAccess<string,mixed> *
*/ */
class Collection implements \ArrayAccess class Collection implements \ArrayAccess
{ {
/** @var array */ /**
protected $data = []; * Holds collective request data
*
* @var array
*/
protected $data = array();
/** /**
* Преобразование массива в коллекцию * Преобразование массива в коллекцию
* *
* @param array $data * @param array $data
* @return bool
*/ */
public function import(array $data) public function import(array $data)
{ {
@ -24,8 +27,6 @@ class Collection implements \ArrayAccess
/** /**
* Преобразование коллекции в массив * Преобразование коллекции в массив
*
* @return array
*/ */
public function export() public function export()
{ {
@ -33,13 +34,14 @@ class Collection implements \ArrayAccess
} }
/** /**
* Store "request data" in GPC order.
*
* @param string $key * @param string $key
* @param mixed $value * @param mixed $value
* *
* @return void * @return void
*/ */
public function set(string $key, mixed $value) public function set($key/*: string*/, $value/*: any*/)
{ {
$this->data[$key] = $value; $this->data[$key] = $value;
} }
@ -48,7 +50,7 @@ class Collection implements \ArrayAccess
* Read stored "request data" by referencing a key. * Read stored "request data" by referencing a key.
* *
* @param string $key * @param string $key
* @param mixed $default *
* @return mixed * @return mixed
*/ */
public function get($key, $default = null) public function get($key, $default = null)
@ -56,93 +58,23 @@ class Collection implements \ArrayAccess
return isset($this->data[$key]) && $this->data[$key] != '' ? $this->data[$key] : $default; return isset($this->data[$key]) && $this->data[$key] != '' ? $this->data[$key] : $default;
} }
/** public function getInt($key, $default = 0)
* @param string $key
* @param int $default
* @return int
*/
public function getInt(string $key, int $default = 0): int
{ {
$value = $this->get($key); return (int)$this->get($key, $default);
// Фильтруем как целое число
if (is_numeric($value)) {
// Приводим к int, но сначала проверим, что не float с дробной частью
$floatVal = (float)$value;
if (is_finite($floatVal) && floor($floatVal) === $floatVal) {
return (int)$floatVal;
}
}
return $default;
} }
/** public function getString($key, $default = '')
* @param string $key
* @param string $default
* @return string
*/
public function getString(string $key, string $default = ''): string
{ {
$value = $this->get($key); return (string)$this->get($key, $default);
if (is_string($value)) {
return $value;
}
if (is_numeric($value)) {
return (string)$value;
}
return $default;
} }
/** public function getNat($key, $default = 1)
* Получает булево значение
* Поддерживает: 1, '1', 'true', 'on', 'yes' true
* Иначе false
*/
public function getBool(string $key, bool $default = false): bool
{
$value = $this->get($key);
if (is_bool($value)) {
return $value;
}
if (is_string($value)) {
$value = strtolower(trim($value));
return in_array($value, ['1', 'true', 'on', 'yes'], true);
}
if (is_numeric($value)) {
return (bool)$value;
}
return $default;
}
function getArray(string $key, array $default = []): array {
$result = $this->get($key);
if (is_array($result)) {
return $result;
}
return $default;
}
/**
* @param string $key
* @param int $default
* @return int
*/
public function getNat(string $key, int $default = 1): int
{ {
$result = (int)$this->get($key, $default); $result = (int)$this->get($key, $default);
return (($result > 0) ? $result : $default); return (($result > 0) ? $result : $default);
} }
public function clear(): void public function clear()
{ {
$this->data = []; $this->data = [];
} }

View file

@ -2,31 +2,19 @@
namespace ctiso; namespace ctiso;
use ctiso\HttpRequest; use ctiso\HttpRequest,
use ctiso\Arr; ctiso\Arr;
class ComponentRequest { class ComponentRequest {
/** @var int */
public $component_id; public $component_id;
/** @var string */
public $component_title; public $component_title;
/** @var HttpRequest */
public $r; public $r;
/**
* @param int $c
* @param HttpRequest $r
*/
function __construct($c, HttpRequest $r) { function __construct($c, HttpRequest $r) {
$this->component_id = $c; $this->component_id = $c;
$this->r = $r; $this->r = $r;
} }
/**
* @param string $key
* @param mixed $default
* @return mixed
*/
function get($key, $default = null) { function get($key, $default = null) {
if ($key == 'active_page') { if ($key == 'active_page') {
return $this->r->get($key); return $this->r->get($key);
@ -42,9 +30,6 @@ class ComponentRequest {
return $default; return $default;
} }
/**
* @return string
*/
function getAction() { function getAction() {
return $this->r->getAction(); return $this->r->getAction();
} }

View file

@ -3,37 +3,27 @@
namespace ctiso\Connection; namespace ctiso\Connection;
use ctiso\File; use ctiso\File;
class HttpRequest class HttpRequest
{ {
const POST = "POST"; const POST = "POST";
const GET = "GET"; const GET = "GET";
/** @var array Параметры запроса */ private $param = array(); // Параметры запроса
private $param = []; public $data = null; // Содержание
/** @var string Содержание */ public $url; // Адресс
public $data = null; public $method; // Метод
/** @var string Адресс */
public $url;
/** @var string Метод */
public $method;
/** @var int */
public $port = 80; public $port = 80;
/** @var string */
public $host = ""; public $host = "";
/** @var ?string */
public $proxy_host = null; public $proxy_host = null;
/** @var ?int */
public $proxy_port = null; public $proxy_port = null;
/** @var string */
public $http_version = 'HTTP/1.1'; public $http_version = 'HTTP/1.1';
function __construct() { function __construct() {
$this->method = self::GET; $this->method = self::GET;
} }
/** /**
* Возвращает заголовок соединения * Возвращает заголовок соединения
* @return string
*/ */
public function getHeader() public function getHeader()
{ {
@ -46,58 +36,47 @@ class HttpRequest
$result .= $this->data; $result .= $this->data;
return $result; return $result;
} }
/** /**
* Установка параметров запроса * Установка параметров запроса
* @param string $name * @parma string $name
* @param string $value * @parma string $value
*/ */
public function setParameter($name, $value): void public function setParameter($name, $value)
{ {
$this->param[$name] = $value; $this->param[$name] = $value;
} }
/** /**
* Метод запроса GET или POST * Метод запроса GET или POST
* @param string $method
*/ */
public function setMethod($method): void public function setMethod($method)
{ {
$this->method = $method; $this->method = $method;
} }
/** public function setUrl($url)
* Установка URL
* @param string $url
*/
public function setUrl($url): void
{ {
$this->url = $url; $this->url = $url;
$host = parse_url($this->url, PHP_URL_HOST); $this->host = parse_url($this->url, PHP_URL_HOST);
if (!$host) {
throw new \RuntimeException("Не удалось получить хост");
}
$this->host = $host;
} }
public function getUrl(): string public function getUrl()
{ {
return $this->url; return $this->url;
} }
/** /**
* Содержание запроса * Содержание запроса
* @param string $data
*/ */
public function setContent($data): void public function setContent($data)
{ {
$this->setParameter("Content-length", (string)strlen($data)); $this->setParameter ("Content-length", strlen($data));
$this->data = $data; $this->data = $data;
} }
/** /**
* Посылает запрос и возвращает страницу * Посылает запрос и возвращает страницу
* @return string|null
*/ */
public function getPage() public function getPage()
{ {
@ -110,7 +89,7 @@ class HttpRequest
$header = $this->getHeader(); $header = $this->getHeader();
fwrite($socket, $header); fwrite($socket, $header);
$result = ''; $result = null;
while (! feof($socket)) { while (! feof($socket)) {
$result .= fgets($socket, 128); $result .= fgets($socket, 128);
} }
@ -120,12 +99,6 @@ class HttpRequest
return null; return null;
} }
/**
* Получение JSON
* @param string $url
* @param array $data
* @return array
*/
static function getJSON($url, $data) { static function getJSON($url, $data) {
$query = http_build_query($data); $query = http_build_query($data);
$q = $url . '?' . $query; $q = $url . '?' . $query;

View file

@ -7,39 +7,30 @@ namespace ctiso\Connection;
class HttpResponse class HttpResponse
{ {
/** @var int */
private $offset; private $offset;
/** @var array */ private $param = array ();
private $param = [];
/** @var int */
private $code; private $code;
/** @var string */
public $response; public $response;
/** @var string */
public $version; public $version;
/** @var string */
public $data; public $data;
/**
* @param string $response HTTP ответ
*/
public function __construct($response) public function __construct($response)
{ {
$this->offset = 0; $this->offset = 0;
$this->response = $response; $this->response = $response;
$this->parseMessage(); $this->parseMessage();
} }
/** /**
* Обработка HTTP ответа * Обработка HTTP ответа
*/ */
private function parseMessage(): void private function parseMessage()
{ {
$http = explode(" ", $this->getLine()); $http = explode(" ", $this->getLine());
$this->version = $http[0]; $this->version = $http[0];
$this->code = (int)$http[1]; $this->code = $http[1];
$line = $this->getLine(); $line = $this->getLine();
while ($offset = strpos($line, ":")) { while ($offset = strpos($line, ":")) {
$this->param[substr($line, 0, $offset)] = trim(substr($line, $offset + 1)); $this->param[substr($line, 0, $offset)] = trim(substr($line, $offset + 1));
$line = $this->getLine(); $line = $this->getLine();
@ -47,12 +38,12 @@ class HttpResponse
if (isset($this->param['Transfer-Encoding']) && $this->param['Transfer-Encoding'] == 'chunked') { if (isset($this->param['Transfer-Encoding']) && $this->param['Transfer-Encoding'] == 'chunked') {
//$this->data = substr($this->response, $this->offset); //$this->data = substr($this->response, $this->offset);
$index = (int)hexdec($this->getLine()); $index = hexdec($this->getLine());
$chunk = []; $chunk = [];
while ($index > 0) { while ($index > 0) {
$chunk [] = substr($this->response, $this->offset, $index); $chunk [] = substr($this->response, $this->offset, $index);
$this->offset += $index; $this->offset += $index;
$index = (int)hexdec($this->getLine()); $index = hexdec($this->getLine());
} }
$this->data = implode("", $chunk); $this->data = implode("", $chunk);
@ -64,33 +55,32 @@ class HttpResponse
/** /**
* Обработка строки HTTP ответа * Обработка строки HTTP ответа
*/ */
private function getLine(): string private function getLine()
{ {
$begin = $this->offset; $begin = $this->offset;
$offset = strpos($this->response, "\r\n", $this->offset); $offset = strpos($this->response, "\r\n", $this->offset);
$result = substr($this->response, $begin, $offset - $begin); $result = substr($this->response, $begin, $offset - $begin);
$this->offset = $offset + 2; $this->offset = $offset + 2;
return $result; return $result;
} }
/** /**
* Значение параметра HTTP ответа * Значение параметра HTTP ответа
* @param string $name Имя параметра
*/ */
public function getParameter($name): string public function getParameter($name)
{ {
return $this->param[$name]; return $this->param[$name];
} }
public function getData(): string public function getData()
{ {
return $this->data; return $this->data;
} }
/** /**
* Состояние * Состояние
*/ */
public function getCode(): int public function getCode()
{ {
return $this->code; return $this->code;
} }

View file

@ -1,69 +1,63 @@
<?php <?php
namespace ctiso\Controller; namespace ctiso\Controller;
use Exception,
use Exception; ctiso\Path,
use ctiso\Path; ctiso\Url,
use ctiso\Url; ctiso\Model\Factory,
use ctiso\Model\Factory; ctiso\HttpRequest,
use ctiso\HttpRequest; ctiso\Settings,
use ctiso\Settings; ctiso\Database,
use ctiso\Database; ctiso\View\Composite,
use ctiso\View\Composite; ctiso\View\View,
use ctiso\View\View; App\Controller\State;
use App\Controller\State;
/** /**
* Контроллер страниц * Контроллер страниц
*/ */
class Action implements ActionInterface class Action
{ {
const TEMPLATE_EXTENSION = ".html"; // Расширение для шаблонов const TEMPLATE_EXTENSION = ".html"; // Расширение для шаблонов
const ACTION_PREFIX = "action"; // Префикс для функций действий const ACTION_PREFIX = "action"; // Префикс для функций действий
// Параметры устанавливаются при создании контроллера // Параметры устанавливаются при создании контроллера
public string $name = ''; // Имя модуля public $name = ''; // Имя модуля
/** @var \ctiso\Controller\Front */
public $front; public $front;
public string $modulePath = ''; // Путь к модулю public $modulePath = null; // Путь к модулю
public string $moduleTitle = ''; public $moduleTitle = '';
public string $viewPathPrefix = ''; // Путь к шаблонам контроллера public $viewPathPrefix = ''; // Путь к шаблонам контроллера
/** Соединение с базой данных */ /**
* Соединение с базой данных
*/
public Database $db; public Database $db;
// Фильтры // Фильтры
/** @var ?\ctiso\Filter\ActionAccess Обьект хранит параметры доступа */ public $access = null; // Обьект хранит параметры доступа
public $access = null; public $logger = null; // Обьект для ведения лога
/** @var ?\ctiso\Filter\ActionLogger Обьект для ведения лога */
public $logger = null;
/** @var Factory Обьект для создания моделей */
private $factory = null;
/** @var ?Url Параметры для ссылки */ private $factory = null; // Ссылка на обьект создания модели
public $part = null; private $helpers = array(); // Помошники для действий
public $part = null; // Параметры для ссылки
/** @var \ctiso\Registry Ссылка на настройки */ public $config/*: Registry*/; // Ссылка на настройки
public $config; public $user/*: User*/; // Обьект пользователя
/** @var \ctiso\Role\User Обьект пользователя */
public $user;
// Для Widgets
public $view = null;
public $childNodes = array();
public $ctrlValues = array();
public $childViews = array();
function __construct() { function __construct() {
$this->part = new Url(); $this->part = new Url();
} }
public function setUp(): void { public function setUp() {
} }
/**
* Загрузка файла настроек
* @param string $name
* @return array
*/
public function loadConfig($name) { public function loadConfig($name) {
$basePath = $this->config->get('site', 'path'); $basePath = $this->config->get('site', 'path');
@ -77,40 +71,25 @@ class Action implements ActionInterface
return $settings; return $settings;
} }
public function getConnection(): Database public function getConnection()
{ {
return $this->db; return $this->db;
} }
/**
* Путь к установке модуля
* @param string $name
* @return string
*/
public function installPath($name) public function installPath($name)
{ {
$basePath = $this->config->get('system', 'path'); $basePath = $this->config->get('system', 'path');
return Path::join($basePath, "modules", $name); return Path::join($basePath, "modules", $name);
} }
/** public function addSuggest(View $view, $name) {
* Добавляет подсказки $suggest = [];
* @param View $view
* @param string $name
*/
public function addSuggest(View $view, $name): void {
$file = Path::join($this->modulePath, 'help', $name . '.suggest'); $file = Path::join($this->modulePath, 'help', $name . '.suggest');
if (file_exists($file)) { if (file_exists($file)) {
$view->suggestions = include($file); $view->suggestions = include($file);
} }
} }
/**
* Поиск иконки
* @param string $icon
* @param int $size
* @return string Путь к иконке
*/
function findIcon($icon, $size) { function findIcon($icon, $size) {
$webPath = $this->config->get('site', 'web'); $webPath = $this->config->get('site', 'web');
return Path::join($webPath, 'icons', $size . 'x' . $size, $icon . '.png'); return Path::join($webPath, 'icons', $size . 'x' . $size, $icon . '.png');
@ -130,8 +109,7 @@ class Action implements ActionInterface
$webPath = $this->config->get('system', 'web'); $webPath = $this->config->get('system', 'web');
$list = [ $list = [
Path::join($this->modulePath, 'templates', $this->viewPathPrefix) Path::join($this->modulePath, 'templates', $this->viewPathPrefix) => Path::join($webPath, "modules", $this->name, 'templates', $this->viewPathPrefix),
=> Path::join($webPath, "modules", $this->name, 'templates', $this->viewPathPrefix),
Path::join($basePath, "templates") => Path::join($webPath, "templates") Path::join($basePath, "templates") => Path::join($webPath, "templates")
]; ];
@ -186,7 +164,6 @@ class Action implements ActionInterface
* 1. Можно переопределить действия * 1. Можно переопределить действия
* 2. Использовать наследование чтобы добавить к старому обработчику новое поведение * 2. Использовать наследование чтобы добавить к старому обработчику новое поведение
* @param HttpRequest $request запроса * @param HttpRequest $request запроса
* @return View|string
*/ */
public function preProcess(HttpRequest $request) public function preProcess(HttpRequest $request)
{ {
@ -202,47 +179,29 @@ class Action implements ActionInterface
return $view; return $view;
} }
/**
* Выполнение действия
* @param HttpRequest $request
* @return View|string|false
*/
public function execute(HttpRequest $request) public function execute(HttpRequest $request)
{ {
$result = $this->preProcess($request); $result = $this->preProcess($request);
return $result; if (!empty($result)) {
$this->view = $result;
}
$text = $this->render();
return $text;
} }
/**
* Перенаправление на другой контроллер
* @param string $action
* @param HttpRequest $args
* @return mixed
*/
public function forward($action, HttpRequest $args) { public function forward($action, HttpRequest $args) {
$actionFn = [$this, $action]; $value = call_user_func([$this, $action], $args);
if (!is_callable($actionFn)) {
return false;
}
$value = call_user_func($actionFn, $args);
return $value; return $value;
} }
/** /**
* Страница по умолчанию * Страница по умолчанию
* @param HttpRequest $request
* @return string|false
*/ */
public function actionIndex(HttpRequest $request) { public function actionIndex(HttpRequest $request) {
return ""; return "";
} }
/** public function addUrlPart($key, $value) {
* Добавление части ссылки
* @param string $key
* @param string $value
*/
public function addUrlPart($key, $value): void {
$this->part->addQueryParam($key, $value); $this->part->addQueryParam($key, $value);
} }
@ -255,9 +214,10 @@ class Action implements ActionInterface
*/ */
public function nUrl($actionName, array $param = []) public function nUrl($actionName, array $param = [])
{ {
$access = $this->access; $access/*: ActionAccess*/ = $this->access;
$url = new Url(); $url = new Url();
//print_r([$name, $param]);
if ($access == null || $access->checkAction($actionName)) { if ($access == null || $access->checkAction($actionName)) {
$moduleName = explode("\\", strtolower(get_class($this))); $moduleName = explode("\\", strtolower(get_class($this)));
if (count($moduleName) > 2) { if (count($moduleName) > 2) {
@ -278,7 +238,7 @@ class Action implements ActionInterface
/** /**
* Генерация ссылки на действие контроллера * Генерация ссылки на действие контроллера
* Ajax определяется автоматически mode = ajax используется для смены layout * Ajax определяется автоматически mode = ajax используется для смены layout
* @param string $name * @param $name
* @param array $param * @param array $param
* @return Url|null * @return Url|null
* *
@ -290,13 +250,31 @@ class Action implements ActionInterface
return $this->nUrl($name, array_merge(['mode' => 'ajax'], $param)); return $this->nUrl($name, array_merge(['mode' => 'ajax'], $param));
} }
/**
* Добавление помошника контроллера
*/
public function addHelper($class)
{
$this->helpers [] = $class;
}
/**
* Вызов помошников контроллера
*/
public function callHelpers(HttpRequest $request)
{
$action = self::ACTION_PREFIX . $request->getAction();
foreach ($this->helpers as $helper) {
if (method_exists($helper, $action)) {
return call_user_func([$helper, $action], $request, $this);
} else {
return $helper->actionIndex($request, $this); // Вместо return response ???
}
}
}
/** /**
* Загрузка файла класса * Загрузка файла класса
* @deprecated Веместо его нужно использовать автозагрузку
* @param string $path
* @param mixed $setup
* @param string $prefix
* @return mixed
*/ */
public function loadClass($path, $setup = null, $prefix = '') public function loadClass($path, $setup = null, $prefix = '')
{ {
@ -308,11 +286,6 @@ class Action implements ActionInterface
throw new Exception("NO CLASS $path"); throw new Exception("NO CLASS $path");
} }
/**
* Загрузка настроек
* @param string $path
* @return array
*/
public function loadSettings($path) public function loadSettings($path)
{ {
$result = new Settings($path); $result = new Settings($path);
@ -320,21 +293,69 @@ class Action implements ActionInterface
return $result->export(); return $result->export();
} }
public function setView($name)
{
$this->view = $this->getView($name);
}
/** /**
* Установка идентификатора страницы * Установка заголовка для отображения
* @return int
*/ */
public function setTitle($title)
{
$this->view->setTitle($title);
}
/**
* Добавление widget к отображению
*/
public function addChild($section, $node)
{
$this->childNodes[$section] = $node;
}
public function setValue($name, $value)
{
$this->ctrlValues[$name] = $value;
}
/**
* Добавление дочернего отображения к текущему отображению
*/
public function addView($section, $node)
{
$this->childViews[$section] = $node;
}
/**
* Генерация содержания
* Путаница c execute и render
*/
public function render()
{
$view = $this->view;
if ($view instanceof View) {
$this->view->assignValues($this->ctrlValues);
$node/*: Composite*/ = null;
foreach ($this->childNodes as $name => $node) {
$node->make($this);
$this->view->setView($name, $node->view);
}
foreach ($this->childViews as $name => $node) {
$this->view->setView($name, $node);
}
}
return $this->view;
}
function getPageId(HttpRequest $request) { function getPageId(HttpRequest $request) {
$pageId = time(); $pageId = time();
$request->session()->set('page', $pageId); $request->session()->set('page', $pageId);
return $pageId; return $pageId;
} }
/**
* Проверка идентификатора страницы
* @param int $page Идентификатор страницы
* @return bool
*/
function checkPageId(HttpRequest $request, $page) function checkPageId(HttpRequest $request, $page)
{ {
if ($request->get('__forced__')) { if ($request->get('__forced__')) {
@ -346,14 +367,16 @@ class Action implements ActionInterface
return $result; return $result;
} }
/**
* @return State
*/
function _getActionPath() { function _getActionPath() {
return new State('index'); return new State('index');
} }
function redirect(string $action): void { // Тоже убрать в метод Controller_Model
function getActionPath(HttpRequest $request, $action = null) {
$this->_getActionPath()->getPath($this, ($action) ? $action : $request->getAction());
}
function redirect($action/*: string*/) {
header('location: ' . $action); header('location: ' . $action);
exit(); exit();
} }

View file

@ -1,28 +0,0 @@
<?php
namespace ctiso\Controller;
use ctiso\Database;
use ctiso\HttpRequest;
interface ActionInterface {
/**
* Действие может вернуть Шаблон или строку
*
* @param HttpRequest $request
* @return \ctiso\View\View|string|false
*/
function execute(HttpRequest $request);
function getConnection(): Database;
/**
* @param string $name
* @param class-string<\ctiso\View\View> $class
* @return \ctiso\View\View
*/
function getView($name, $class);
/**
* @param string $key
* @param string $value
*/
function addUrlPart($key, $value): void;
}

View file

@ -1,90 +1,79 @@
<?php <?php
namespace ctiso\Controller; namespace ctiso\Controller;
use ctiso\HttpRequest,
ctiso\ComponentRequest,
ctiso\Arr,
ctiso\Path,
ctiso\File,
ctiso\Form\Form,
ctiso\View\Composite,
ctiso\Database,
ctiso\Database\PDOStatement,
ctiso\Collection,
ctiso\Registry,
ctiso\Controller\SiteInterface,
PHPTAL,
PHPTAL_PreFilter_Normalize;
use ctiso\HttpRequest; class FakeTemplate {
use ctiso\ComponentRequest; public $_data = [];
use ctiso\Arr; public $_name = '';
use ctiso\Path;
use ctiso\File; function __construct($name) {
use ctiso\Form\Form; $this->_name = $name;
use ctiso\View\Composite; }
use ctiso\Database;
use ctiso\Collection; function __set($key, $value) {
use ctiso\Registry; $this->_data[$key] = $value;
use ctiso\Controller\SiteInterface; }
use ctiso\Database\PDOStatement;
use PHPTAL; function execute() {
use PHPTAL_PreFilter_Normalize; return json_encode($this->_data);
use ctiso\View\JsonView; }
}
/** /**
* Класс компонента * Класс компонента
*/ */
class Component class Component
{ {
/** @var string[] */ public $viewPath = array();
public $viewPath = []; public $webPath = array();
/** @var string[] */
public $webPath = [];
/** @var ?string */
public $template = null; public $template = null;
public string $templatePath; public $templatePath;
/** @var int */
public $component_id; public $component_id;
/** @var string */
public $component_title; public $component_title;
/** @var string */
public $COMPONENTS_WEB; public $COMPONENTS_WEB;
public Registry $config; public Registry $config;
public Database $db; public Database $db;
public Collection $parameter; public Collection $parameter;
/** @var string */
public $output = 'html'; public $output = 'html';
/** @var string */
public $module; public $module;
/** @var string */
public $item_module; public $item_module;
/** /**
* @var SiteInterface $site * @var \App\Controller\Site
*/ */
public $site; public $site;
function before(): void { function before() {
} }
/**
* @param string $match
* @return string
*/
static function replaceContent($match) { static function replaceContent($match) {
return \ctiso\Tales::phptal_component(htmlspecialchars_decode($match[3])); return \ctiso\Tales::phptal_component(htmlspecialchars_decode($match[3]));
} }
/**
* @param string $text
* @return string
*/
static function applyComponents($text) { static function applyComponents($text) {
$callback = fn($x) => self::replaceContent($x); return preg_replace_callback('/<(\w+)(\s+[a-zA-Z\-]+=\"[^\"]*\")*\s+tal:replace="structure\s+component:([^\"]*)"[^>]*>/u', 'ctiso\\Controller\\Component::replaceContent', $text);
return preg_replace_callback('/<(\w+)(\s+[a-zA-Z\-]+=\"[^\"]*\")*\s+tal:replace="structure\s+component:([^\"]*)"[^>]*>/u',
$callback, $text);
} }
/**
* Выполняет запрос компонента и возвращает результат
* Результат может быть строкой или View для обычных компонентов, или массивом для использования в сервисах
*
* @param HttpRequest $request
* @param bool $has_id
* @return mixed
*/
function execute(HttpRequest $request, $has_id = true) { function execute(HttpRequest $request, $has_id = true) {
$crequest = new ComponentRequest($this->component_id, $request); $crequest = new ComponentRequest($this->component_id, $request);
@ -96,36 +85,25 @@ class Component
} }
$this->before(); $this->before();
$actionMethod = [$this, $action]; if (method_exists($this, $action)) {
if (is_callable($actionMethod)) { return call_user_func([$this, $action], $crequest);
return call_user_func($actionMethod, $crequest); } else {
return $this->actionIndex($crequest);
} }
return $this->actionIndex($crequest);
} }
/** public function getTemplateName($_registry/*: \ctiso\Settings*/) {
* Получить имя шаблона
* @param Registry $_registry
* @return string
*/
public function getTemplateName($_registry) {
return (isset($_COOKIE['with_template']) && preg_match('/^[\w\d-]{3,20}$/', $_COOKIE['with_template'])) return (isset($_COOKIE['with_template']) && preg_match('/^[\w\d-]{3,20}$/', $_COOKIE['with_template']))
? $_COOKIE['with_template'] : ($_registry ? $_registry->get('site', 'template') : 'modern'); ? $_COOKIE['with_template'] : ($_registry ? $_registry->get('site', 'template') : 'modern');
} }
/**
* Получить шаблон
* @param string $name
* @return PHPTAL|JsonView
*/
public function getView($name) public function getView($name)
{ {
if ($this->output === 'json') { if ($this->output === 'json') {
return new JsonView($name); return new FakeTemplate($name);
} }
/** @var Registry $config */ /* @var Registry $config */
$config = $this->config; $config = $this->config;
$default = $config->get('site', 'template'); $default = $config->get('site', 'template');
$template = ($this->template) ? $this->template : $this->getTemplateName($config); $template = ($this->template) ? $this->template : $this->getTemplateName($config);
@ -135,7 +113,7 @@ class Component
foreach ($this->viewPath as $index => $viewPath) { foreach ($this->viewPath as $index => $viewPath) {
// Загружать шаблон по умолчанию если не найден текущий // Загружать шаблон по умолчанию если не найден текущий
$dir = Path::join($this->viewPath[$index], 'templates', $template); $dir = Path::join($this->viewPath[$index], 'templates', $template);
if (is_dir($dir)) { if(is_dir($dir)) {
$tpl = new PHPTAL(Path::join($this->viewPath[$index], 'templates', $template, $name)); $tpl = new PHPTAL(Path::join($this->viewPath[$index], 'templates', $template, $name));
$tpl->setPhpCodeDestination(PHPTAL_PHP_CODE_DESTINATION); $tpl->setPhpCodeDestination(PHPTAL_PHP_CODE_DESTINATION);
$selected = $index; $selected = $index;
@ -170,19 +148,10 @@ class Component
return $tpl; return $tpl;
} }
/**
* Возвращает путь к шаблону по умолчанию
* @return string
*/
function _getDefaultPath() { function _getDefaultPath() {
return $this->viewPath[count($this->viewPath) - 1]; return $this->viewPath[count($this->viewPath) - 1];
} }
/**
* Возвращает путь к шаблону
* @param string $name
* @return string
*/
public function getTemplatePath($name) { public function getTemplatePath($name) {
$registry = $this->config; $registry = $this->config;
// Брать настройки из куков если есть // Брать настройки из куков если есть
@ -196,10 +165,6 @@ class Component
return Path::join($this->viewPath[count($this->viewPath) - 1], 'templates', 'modern', $name); return Path::join($this->viewPath[count($this->viewPath) - 1], 'templates', 'modern', $name);
} }
/**
* Возвращает путь к шаблонам
* @return string
*/
public function getTemplateWebPath() public function getTemplateWebPath()
{ {
return Path::join($this->webPath[count($this->webPath) - 1], 'templates', 'modern'); return Path::join($this->webPath[count($this->webPath) - 1], 'templates', 'modern');
@ -207,26 +172,19 @@ class Component
/** /**
* Создает модель * Создает модель
* * @param string $name
* @template T * @return mixed
* @param class-string<T> $modelName
* @return T
*/ */
public function getModel($modelName) public function getModel($name)
{ {
$modelName = "App\\Mapper\\" . $name;
$model = new $modelName(); $model = new $modelName();
$model->config = $this->config; $model->config = $this->config;
$model->db = $this->db; $model->db = $this->db;
return $model; return $model;
} }
/** public function options($key, $val, $res/*: PDOStatement*/) {
* @param string $key
* @param string $val
* @param PDOStatement $res
* @return array{value: string, name: string}[]
*/
public function options(string $key, string $val, $res) {
$result = []; $result = [];
while($res->next()) { while($res->next()) {
$result[] = ['value' => $res->getString($key), 'name' => $res->getString($val)]; $result[] = ['value' => $res->getString($key), 'name' => $res->getString($val)];
@ -234,12 +192,7 @@ class Component
return $result; return $result;
} }
/** public function optionsPair($list, $selected = false) {
* @param array $list
* @param bool $selected
* @return array{value: string, name: string, selected: bool}[]
*/
public function optionsPair(array $list, $selected = false) {
$result = []; $result = [];
foreach ($list as $key => $value) { foreach ($list as $key => $value) {
$result [] = ['value' => $key, 'name' => $value, 'selected' => $key == $selected]; $result [] = ['value' => $key, 'name' => $value, 'selected' => $key == $selected];
@ -247,13 +200,7 @@ class Component
return $result; return $result;
} }
/** function findFile($pathList, $name) {
* Найти файл по пути
* @param string[] $pathList
* @param string $name
* @return string|null
*/
function findFile(array $pathList, string $name) {
foreach($pathList as $item) { foreach($pathList as $item) {
$filename = Path::join($item, $name); $filename = Path::join($item, $name);
if (file_exists($filename)) { if (file_exists($filename)) {
@ -263,10 +210,6 @@ class Component
return null; return null;
} }
/**
* Получить информацию о параметрах
* @return array<mixed>
*/
function getInfo() { function getInfo() {
$filename = Path::join($this->viewPath[count($this->viewPath) - 1], 'install.json'); $filename = Path::join($this->viewPath[count($this->viewPath) - 1], 'install.json');
if (file_exists($filename)) { if (file_exists($filename)) {
@ -280,10 +223,8 @@ class Component
/** /**
* Генерация интерфейса для выбора галлереи фотографии * Генерация интерфейса для выбора галлереи фотографии
* @param Composite $view
* @param ?\ctiso\Form\OptionsFactory $options
*/ */
public function setParameters(Composite $view, $options = null): void public function setParameters(Composite $view, $options = null)
{ {
$form = new Form(); $form = new Form();
@ -295,26 +236,19 @@ class Component
$view->component_title = $settings['title']; $view->component_title = $settings['title'];
} }
/**
* @param \ctiso\Form\OptionsFactory $options
* @return array
*/
public function getFields($options = null) { public function getFields($options = null) {
$form = new Form(); $form = new Form();
$settings = $this->getInfo(); $form->addFieldList($this->getInfo()['parameter'], $options);
$form->addFieldList($settings['parameter'], $options);
return $form->field; return $form->field;
} }
/** /**
* Обьеденить с ComponentFactory * Обьеденить с ComponentFactory
* @param string $expression
* @param SiteInterface $site
* @return Component
*/ */
static function loadComponent(string $expression, $site) static function loadComponent($expression, $site/*: SiteInterface*/)
{ {
$expression = htmlspecialchars_decode($expression); $expression = htmlspecialchars_decode($expression);
$offset = strpos($expression, '?'); $offset = strpos($expression, '?');
$url = parse_url($expression); $url = parse_url($expression);
@ -327,21 +261,16 @@ class Component
parse_str($query, $arguments); parse_str($query, $arguments);
} }
$name = $path; $name = $path;
$config = $site->getConfig(); $config = $site->config;
// FIXME: Если имя для компонента не задано то возвращаем пустой компонент
// Нужно дополнительно проверить и файл или в autoloader просто не найдет файл копонента
if (!$name) {
return new Component();
}
$filename = ucfirst($name); $filename = ucfirst($name);
$path = Path::join ($config->get('site', 'components'), $name, $filename . '.php'); $path = Path::join ($config->get('site', 'components'), $name, $filename . '.php');
$className = implode("\\", ['Components', ucfirst($name), $filename]); $className = implode("\\", ['Components', ucfirst($name), $filename]);
$component = null; $component/*: Component*/ = null;
if (file_exists($path)) { if (file_exists($path)) {
/** @var Component $component */ // require_once ($path);
$component = new $className(); $component = new $className();
$component->viewPath = [$config->get('site', 'components') . '/' . $name . '/']; $component->viewPath = [$config->get('site', 'components') . '/' . $name . '/'];
@ -349,9 +278,8 @@ class Component
$component->COMPONENTS_WEB = $config->get('site', 'web') . '/components/'; $component->COMPONENTS_WEB = $config->get('site', 'web') . '/components/';
} else { } else {
/** @var Component $component */
$component = new $className(); $component = new $className();
$template = $component->getTemplateName($site->getConfig()); $template = $component->getTemplateName($site->config);
$component->viewPath = [ $component->viewPath = [
// Сначало ищем локально // Сначало ищем локально
@ -380,7 +308,7 @@ class Component
$db = $site->getDatabase(); $db = $site->getDatabase();
$component->db = $db; $component->db = $db;
$component->config = $site->getConfig(); $component->config = $site->config;
$component->site = $site; $component->site = $site;
$stmt = $db->prepareStatement("SELECT * FROM component WHERE code = ?"); $stmt = $db->prepareStatement("SELECT * FROM component WHERE code = ?");
@ -416,29 +344,22 @@ class Component
$editor = $component->getEditUrl(); $editor = $component->getEditUrl();
if ($editor) { if ($editor) {
$site->addComponentConfig($editor); $site->componentsConfig[] = $editor;
} }
return $component; return $component;
} }
/**
* @return ?array{name: string, url: string}
*/
function getEditUrl() { function getEditUrl() {
return null; return null;
} }
/** function raw_query($request/*: ComponentRequest*/)
* @param ComponentRequest $request
* @return array
*/
function raw_query($request)
{ {
$arr = $request->r->export('get'); $arr = $request->r->export('get');
$param = []; $param = [];
$parameter = $this->parameter; $parameter/*: Collection*/ = $this->parameter;
foreach($parameter->export() as $key => $value) { foreach($parameter->export() as $key => $value) {
$param[$key] = $value; $param[$key] = $value;
} }
@ -456,12 +377,7 @@ class Component
} }
/** function query($request/*: ComponentRequest*/, $list)
* @param ComponentRequest $request
* @param array $list
* @return string
*/
function query($request, $list)
{ {
$arr = $request->r->export('get'); $arr = $request->r->export('get');
@ -473,28 +389,10 @@ class Component
return '?' . http_build_query($arr); return '?' . http_build_query($arr);
} }
/** function addRequireJsPath($name, $path, $shim = null) {
* @param string $name
* @param string $path
* @param array $shim
*/
function addRequireJsPath($name, $path, $shim = null): void {
$this->site->addRequireJsPath($name, $path, $shim); $this->site->addRequireJsPath($name, $path, $shim);
} }
/** function actionIndex($request/*: ComponentRequest*/) {
* @param ComponentRequest $request
* @return mixed
*/
function actionIndex($request) {
return "";
}
/**
* @param HttpRequest $request
* @return array
*/
function getDefaultPageEnvironment($request) {
return [];
} }
} }

View file

@ -5,37 +5,25 @@
* @package system.controller * @package system.controller
*/ */
namespace ctiso\Controller; namespace ctiso\Controller;
use ctiso\Controller\Action,
use ctiso\Controller\Action; ctiso\Registry,
use ctiso\Registry; ctiso\Database,
use ctiso\Database; ctiso\Collection,
use ctiso\Filter\ActionAccess; ctiso\Filter\ActionAccess,
use ctiso\Filter\ActionLogger; ctiso\Filter\ActionLogger,
use ctiso\Path; ctiso\Path,
use ctiso\UserMessageException; ctiso\UserMessageException,
use ctiso\HttpRequest; ctiso\HttpRequest,
use ctiso\Role\User; ctiso\Role\User;
class Front extends Action class Front extends Action
{ {
/** protected $_param; // Параметр по которому выбирается модуль
* Параметр по которому выбирается модуль protected $default; // Значение параметра по умолчанию
* @var string
*/
protected $_param;
/**
* Значение параметра по умолчанию
* @var string
*/
protected $default;
/** @var array<string, Action> */ protected $modules = array();
protected $modules = [];
/**
* @param string $default
*/
public function __construct(Database $db, Registry $config, User $user, $default) { public function __construct(Database $db, Registry $config, User $user, $default) {
parent::__construct(); parent::__construct();
$this->config = $config; $this->config = $config;
@ -44,13 +32,7 @@ class Front extends Action
$this->default = $default; $this->default = $default;
} }
/** public function isLoaded($name) {
* Проверяет загружен ли модуль
* @param string $name Имя модуля
* @return bool
*/
public function isLoaded($name): bool
{
return isset($this->modules[$name]); return isset($this->modules[$name]);
} }
@ -81,7 +63,6 @@ class Front extends Action
$ucpart = ucfirst($second); $ucpart = ucfirst($second);
$moduleClass = "Modules\\$ucname\\$ucpart"; $moduleClass = "Modules\\$ucname\\$ucpart";
/** @var Action $module */
$module = new $moduleClass(); $module = new $moduleClass();
// Инициализация модуля // Инициализация модуля
@ -111,7 +92,7 @@ class Front extends Action
public function execute(HttpRequest $request) public function execute(HttpRequest $request)
{ {
$name = $request->getString('module', $this->default); $name = $request->get('module', $this->default);
try { try {
return $this->loadModule($name, $request); return $this->loadModule($name, $request);
} catch (UserMessageException $ex) { //Исключение с понятным пользователю сообщением } catch (UserMessageException $ex) { //Исключение с понятным пользователю сообщением

View file

@ -1,171 +0,0 @@
<?php
namespace ctiso\Controller;
use ctiso\Settings;
use ctiso\Path;
use ctiso\Database\JsonInstall;
use ctiso\Database\Manager;
class Installer
{
/** @var Manager */
protected $db_manager;
/** @var callable */
protected $installPath;
/** @var Settings */
public $_registry;
public function __construct(Settings $_registry)
{
$this->_registry = $_registry;
}
/**
* Устанавливает параметры
* @param Manager $db_manager
* @param callable $installPath
*/
public function setUp($db_manager, $installPath): void
{
$this->db_manager = $db_manager;
$this->installPath = $installPath;
}
/**
* Получение пути к файлу install.json
* @param string $name
* @return string
*/
function getSetupFile($name)
{
$setup = Path::join(call_user_func($this->installPath, $name), "install.json");
return $setup;
}
/**
* Получение пути к файлу unisntall.json
* @param string $name
* @return string
*/
function getUninstallFile($name)
{
return Path::join(call_user_func($this->installPath, $name), "sql", "uninstall.json");
}
/**
* Проверка версии обновления
* @param string $name
* @return bool
*/
function isChanged($name) // Информация о модулях
{
$item = $this->_registry->get($name);
if ($item) {
$setup = $this->getSetupFile($name);
if (file_exists($setup) && (filemtime($setup) > $item['time'])) {
return true;
}
return false;
}
return true;
}
/**
* Устанавливает SQL
* @param array $sql
* @param string $version_new
* @param string $version_old
* @param string $name
* @return array
*/
function installSQL(array $sql, $version_new, $version_old, $name)
{
$result = [];
$json_installer = new JsonInstall($this->db_manager);
foreach ($sql as $version => $install) {
if (version_compare($version, $version_new, "<=") && version_compare($version, $version_old, ">")) {
$file = Path::join(call_user_func($this->installPath, $name), "sql", $install);
$json_installer->install($file, null);
$result[] = $version;
}
}
return $result;
}
/**
* @param string $name
* @return void
*/
function uninstall($name): void
{
$uninstall = $this->getUninstallFile($name);
if (file_exists($uninstall)) {
$json_installer = new JsonInstall($this->db_manager);
$json_installer->install($uninstall, null);
}
$this->_registry->removeKey($name);
$this->_registry->write();
}
/**
* Устанавливает обновления если есть
* @param string $name
* @param bool $force
* @return array
*/
function doUpdates($name, $force = false)
{
$result = [];
$setup = $this->getSetupFile($name);
if (file_exists($setup) && ($this->isChanged($name) || $force)) {
$registry = $this->_registry;
$settings = new Settings($setup);
$settings->read();
$item = $registry->get($name);
$version_new = $settings->get('version');
if ($item) {
$version_old = $item['version'];
} else {
$version_old = "0.0";
$registry->writeKey([$name], []);
}
if (version_compare($version_old, $settings->get('version'), "!=")) {
$sql = $settings->get('sql');
if (is_array($sql)) {
$res = $this->installSQL($sql, $version_new, $version_old, $name);
if ($res) {
$result[] = $res;
}
}
}
// Обновление версии меню
$registry->removeKey($name);
$registry->set($name, [
'version' => $version_new,
'time' => filemtime($setup)
]);
// $registry->writeKey([$name], $settings->export());
$registry->write();
}
return $result;
}
/**
* Устанавливает базу данных
* @param string $dbinit_path
* @param string|null $dbfill_path
*/
function install($dbinit_path, $dbfill_path = null): void
{
$json_installer = new JsonInstall($this->db_manager);
$json_installer->install($dbinit_path, $dbfill_path);
}
}

View file

@ -4,25 +4,14 @@ namespace ctiso\Controller;
use ctiso\HttpRequest; use ctiso\HttpRequest;
class Request { class Request {
/** @var HttpRequest */
public $r; public $r;
/** @var string */
public $id; public $id;
/** function __construct($request/*: HttpRequest*/, $id) {
* @param HttpRequest $request
* @param string $id
*/
function __construct($request, $id) {
$this->r = $request; $this->r = $request;
$this->id = $id; $this->id = $id;
} }
/**
* @param string $name
* @param mixed $def
* @return mixed
*/
function get($name, $def = null) { function get($name, $def = null) {
$v = $this->r->get($name); $v = $this->r->get($name);
$id = $this->id; $id = $this->id;

View file

@ -4,70 +4,56 @@
* Класс сервиса = Упрощенный компонент * Класс сервиса = Упрощенный компонент
*/ */
namespace ctiso\Controller; namespace ctiso\Controller;
use ctiso\Path,
use ctiso\Path; ctiso\Model\BaseMapper,
use ctiso\Model\BaseMapper; ctiso\File,
use ctiso\File; ctiso\Registry,
use ctiso\Registry; ctiso\Database\PDOStatement;
use ctiso\Database\PDOStatement;
use ctiso\Database;
class Service class Service
{ {
/** @var array */
public $viewPath = []; public $viewPath = [];
/** @var array */
public $webPath = []; public $webPath = [];
/** @var Registry */ public $config/*: Registry*/;
public $config;
/** @var string */
public $template; public $template;
/** @var string */
public $templatePath; public $templatePath;
/** @var string */
public $COMPONENTS_WEB; public $COMPONENTS_WEB;
/** @var Database */
public $db; public $db;
/**
* Возвращает путь к шаблонам
* @param string $name Имя шаблона
* @return string
*/
public function getTemplatePath($name) public function getTemplatePath($name)
{ {
return Path::join($this->viewPath[0], 'templates', 'modern', $name); return Path::join($this->viewPath[0], 'templates', 'modern', $name);
} }
/**
* Возвращает путь к шаблонам
* @return string
*/
public function getTemplateWebPath() public function getTemplateWebPath()
{ {
return Path::join($this->webPath[0], strtolower(get_class($this)), 'templates', 'modern'); return Path::join($this->webPath[0], strtolower(get_class($this)), 'templates', 'modern');
} }
/**
* @param string $name Имя модели
*/
private function getModelPath($name)
{
return Path::join ($this->config->get('system', 'path'), "model", $name . ".php");
}
/** /**
* Создает модель * Создает модель
* @param class-string $modelName * @param string $name
* @return BaseMapper * @return BaseMapper
*/ */
public function getModel($modelName) public function getModel($name)
{ {
/** @var BaseMapper */ require_once ($this->getModelPath ($name));
$model = new $modelName(); $modelName = $name . "Mapper";
$model = new $modelName ();
$model->db = $this->db; $model->db = $this->db;
return $model; return $model;
} }
/** public function options($key, $val, $res/*: PDOStatement*/) {
* @param string $key
* @param string $val
* @param PDOStatement $res
* @return array
*/
public function options($key, $val, $res) {
$result = []; $result = [];
while($res->next()) { while($res->next()) {
$result[] = ['value' => $res->getInt($key), 'name' => $res->getString($val)]; $result[] = ['value' => $res->getInt($key), 'name' => $res->getString($val)];
@ -75,11 +61,6 @@ class Service
return $result; return $result;
} }
/**
* @param array $list
* @param bool $selected
* @return array
*/
public function optionsPair($list, $selected = false) { public function optionsPair($list, $selected = false) {
$result = []; $result = [];
foreach ($list as $key => $value) { foreach ($list as $key => $value) {
@ -87,10 +68,7 @@ class Service
} }
return $result; return $result;
} }
/**
* @return array
*/
function getInfo() { function getInfo() {
$filename = Path::join($this->viewPath[0], 'install.json'); $filename = Path::join($this->viewPath[0], 'install.json');
if (file_exists($filename)) { if (file_exists($filename)) {

View file

@ -3,39 +3,10 @@
namespace ctiso\Controller; namespace ctiso\Controller;
interface SiteInterface { interface SiteInterface {
/**
* FIXME: Возвращает ресурс (но его тип опрделяется в App)
* @return mixed
*/
function getResource(); function getResource();
/** function loadComponent($expression);
* @return \ctiso\Database
*/
function getDatabase(); function getDatabase();
/**
* @return \ctiso\Registry
*/
function getConfig(); function getConfig();
/** function setComponentConfig($config);
* @return \ctiso\Settings function addRequireJsPath($name, $path, $schim = null);
*/
function getTheme();
/**
* @param array $config
*/
function addComponentConfig($config): void;
function addRequireJsPath(string $name, string $path, ?array $shim = null): void;
function addStyleSheet(string $url): void;
/**
* @param string $expression
* @return ?Component
*/
function loadComponent(string $expression);
/**
* @return array{string, string, string}
*/
function findTemplate(string $name);
function replaceImg(string $src, int $width, int $height): string;
function updatePageTime(int $time): void;
} }

View file

@ -1,10 +1,6 @@
<?php <?php
namespace { namespace {
if (!function_exists('sqliteLower')) { if (!function_exists('sqliteLower')) {
/**
* @param string $str
* @return string
*/
function sqliteLower($str) function sqliteLower($str)
{ {
return mb_strtolower($str, 'UTF-8'); return mb_strtolower($str, 'UTF-8');
@ -13,28 +9,18 @@ namespace {
} }
namespace ctiso { namespace ctiso {
use PDO,
use PDO; ctiso\Database\Statement,
use ctiso\Database\Statement; ctiso\Database\PDOStatement,
use ctiso\Database\PDOStatement; ctiso\Database\IdGenerator;
use ctiso\Database\IdGenerator;
/** /**
* Класс оболочка для PDO для замены Creole * Класс оболочка для PDO для замены Creole
* @phpstan-type DSN = array{phptype: string, hostspec: string, database: string, username: string, password: string}
*/ */
class Database extends PDO class Database extends PDO
{ {
/** @var DSN */
public $dsn; public $dsn;
/**
* Создает соединение с базой данных
* @param string $dsn - DSN
* @param string|null $username - имя пользователя
* @param string|null $password - пароль
*/
public function __construct($dsn, $username = null, $password = null) public function __construct($dsn, $username = null, $password = null)
{ {
parent::__construct($dsn, $username, $password); parent::__construct($dsn, $username, $password);
@ -43,52 +29,30 @@ namespace ctiso {
$this->setAttribute(PDO::ATTR_STATEMENT_CLASS, [PDOStatement::class, []]); $this->setAttribute(PDO::ATTR_STATEMENT_CLASS, [PDOStatement::class, []]);
} }
/** function prepare(string $sql, array $options = []): PDOStatement|false
* prepare возвращает только PDOStatement т.к установлен PDO::ERRMODE_EXCEPTION
*/
function prepare(string $sql, array $options = []): PDOStatement
{ {
/** @var PDOStatement */ $result/*: PDOStatement*/ = parent::prepare($sql, $options);
$result = parent::prepare($sql, $options);
return $result; return $result;
} }
function query($query, $fetchMode = PDO::FETCH_INTO, mixed $_arg1 = null, mixed $_arg2 = null): PDOStatement {
/** @var PDOStatement */
$result = parent::query($query, $fetchMode);
return $result;
}
/**
* Возвращает DSN
* @return DSN
*/
public function getDSN() public function getDSN()
{ {
return $this->dsn; return $this->dsn;
} }
/**
* Возвращает true, если база данных Postgres
* @return bool
*/
public function isPostgres() public function isPostgres()
{ {
return ($this->dsn["phptype"] == "pgsql"); return ($this->dsn["phptype"] == "pgsql");
} }
/** /**
* Создает соединение с базой данных * Создает соединение с базой данных
* @param array $dsn - DSN
* @return Database|null
*/ */
static function getConnection(array $dsn) static function getConnection(array $dsn)
{ {
/** @var ?Database */
$connection = null; $connection = null;
if ($dsn['phptype'] == 'pgsql' || $dsn['phptype'] == 'mysql') { if ($dsn['phptype'] == 'pgsql' || $dsn['phptype'] == 'mysql') {
$port = (isset($dsn['port'])) ? "port={$dsn['port']};" : ""; $port = (isset($dsn['port'])) ? "port={$dsn['port']};" : "";
$connection = new self("{$dsn['phptype']}:host={$dsn['hostspec']}; $port dbname={$dsn['database']}", $dsn['username'], $dsn['password']); $connection/*: Database*/ = new self("{$dsn['phptype']}:host={$dsn['hostspec']}; $port dbname={$dsn['database']}", $dsn['username'], $dsn['password']);
if ($dsn['phptype'] == 'pgsql') { if ($dsn['phptype'] == 'pgsql') {
$connection->query('SET client_encoding="UTF-8"'); $connection->query('SET client_encoding="UTF-8"');
} }
@ -100,9 +64,9 @@ namespace ctiso {
$connection = new self("{$dsn['phptype']}:"); $connection = new self("{$dsn['phptype']}:");
$connection->sqliteCreateFunction('LOWER', 'sqliteLower', 1); $connection->sqliteCreateFunction('LOWER', 'sqliteLower', 1);
} elseif ($dsn['phptype'] == 'sqlite') { } elseif ($dsn['phptype'] == 'sqlite') {
$connection = new self("{$dsn['phptype']}:{$dsn['database']}"); $connection/*: Database*/ = new self("{$dsn['phptype']}:{$dsn['database']}");
$connection->setAttribute(PDO::ATTR_TIMEOUT, 5); $connection->setAttribute(PDO::ATTR_TIMEOUT, 5);
$mode = defined('SQLITE_JOURNAL_MODE') ? \SQLITE_JOURNAL_MODE : 'WAL'; $mode = defined('SQLITE_JOURNAL_MODE') ? SQLITE_JOURNAL_MODE : 'WAL';
$connection->query("PRAGMA journal_mode=$mode"); $connection->query("PRAGMA journal_mode=$mode");
$connection->sqliteCreateFunction('LOWER', 'sqliteLower', 1); $connection->sqliteCreateFunction('LOWER', 'sqliteLower', 1);
} }
@ -110,12 +74,7 @@ namespace ctiso {
return $connection; return $connection;
} }
/** public function executeQuery($query, $values = null): PDOStatement|bool
* Выполняет запрос к базе данных
* @param string $query - запрос
* @param ?array<string, mixed> $values - значения
*/
public function executeQuery($query, $values = null): PDOStatement
{ {
$stmt = $this->prepare($query); $stmt = $this->prepare($query);
@ -124,21 +83,14 @@ namespace ctiso {
return $stmt; return $stmt;
} }
/**
* Создает подготовленный запрос
* @param string $query - запрос
* @return Statement
*/
public function prepareStatement($query) public function prepareStatement($query)
{ {
return new Statement($query, $this); return new Statement($query, $this);
} }
// Для совместимости со старым представлением баз данных CIS
/** /**
* Извлекает из базы все элементы по запросу (Для совместимости со старым представлением баз данных CIS) * Извлекает из базы все элементы по запросу
* @param string $query - запрос
* @param ?array<string, mixed> $values - значения
* @return array<array<string, mixed>>
*/ */
public function fetchAllArray($query, $values = null) public function fetchAllArray($query, $values = null)
{ {
@ -150,9 +102,6 @@ namespace ctiso {
/** /**
* Извлекает из базы первый элемент по запросу * Извлекает из базы первый элемент по запросу
* @param string $query - запрос
* @param ?array<string, mixed> $values - значения
* @return array<string, mixed>|false
*/ */
public function fetchOneArray($query, $values = null) public function fetchOneArray($query, $values = null)
{ {
@ -162,11 +111,6 @@ namespace ctiso {
return $sth->fetch(PDO::FETCH_ASSOC); return $sth->fetch(PDO::FETCH_ASSOC);
} }
/**
* Преобразует значения в подготовленные значения
* @param array $values - значения
* @return ?array<string, string>
*/
private function prepareValues($values) private function prepareValues($values)
{ {
if (!$values) { if (!$values) {
@ -189,14 +133,8 @@ namespace ctiso {
} }
return $prep; return $prep;
} }
/** /**
* Создает INSERT запрос * Создает INSERT запрос
* @param string $table - таблица
* @param array $values - значения
* @param bool $return_id - возвращать id
* @param string $index - индекс
* @return int|null
*/ */
function insertQuery($table, array $values, $return_id = false, $index = null) function insertQuery($table, array $values, $return_id = false, $index = null)
{ {
@ -218,22 +156,15 @@ namespace ctiso {
return $result[$index]; return $result[$index];
} else { } else {
$result = $this->fetchOneArray("SELECT $index AS lastid FROM $table WHERE OID = last_insert_rowid()"); $result = $this->fetchOneArray("SELECT $index AS lastid FROM $table WHERE OID = last_insert_rowid()");
if ($result === false) {
throw new \RuntimeException("Ошибка получения идентификатора");
}
return $result['lastid']; return $result['lastid'];
} }
} }
return null;
} }
/** /**
* Создает UPDATE запрос * Создает UPDATE запрос
* @param string $table - таблица
* @param array $values - значения
* @param string $cond - условие
*/ */
function updateQuery($table, array $values, $cond): void function updateQuery($table, array $values, $cond)
{ {
$prep = $this->prepareValues($values); $prep = $this->prepareValues($values);
$sql = "UPDATE $table SET " . implode( $sql = "UPDATE $table SET " . implode(
@ -247,10 +178,6 @@ namespace ctiso {
$stmt->execute($prep); $stmt->execute($prep);
} }
/**
* Создает генератор идентификаторов
* @return IdGenerator
*/
function getIdGenerator() function getIdGenerator()
{ {
return new IdGenerator($this); return new IdGenerator($this);
@ -264,17 +191,12 @@ namespace ctiso {
function getNextId($seq) function getNextId($seq)
{ {
$result = $this->fetchOneArray("SELECT nextval('$seq')"); $result = $this->fetchOneArray("SELECT nextval('$seq')");
if ($result === false) {
throw new \RuntimeException("Ошибка получения следующего идентификатора");
}
return $result['nextval']; return $result['nextval'];
} }
/** function close()
* Закрывает соединение с базой данных
*/
function close(): void
{ {
return null;
} }
} }
} }

View file

@ -4,40 +4,26 @@ namespace ctiso\Database;
use ctiso\Database; use ctiso\Database;
class IdGenerator { class IdGenerator {
/** @var Database */
private $db; private $db;
function __construct(Database $db) { function __construct(Database $db) {
$this->db = $db; $this->db = $db;
} }
/**
* @return bool
*/
function isBeforeInsert() { function isBeforeInsert() {
return false; return false;
} }
/**
* @return bool
*/
function isAfterInsert() { function isAfterInsert() {
return true; return true;
} }
/**
* @param string $seq
* @return int
*/
function getId($seq) { function getId($seq) {
if ($this->db->isPostgres()) { if ($this->db->isPostgres()) {
$result = $this->db->fetchOneArray("SELECT nextval('$seq') AS nextval"); $result = $this->db->fetchOneArray("SELECT nextval('$seq') AS nextval");
} else { } else {
$result = $this->db->fetchOneArray("SELECT last_insert_rowid() AS nextval"); $result = $this->db->fetchOneArray("SELECT last_insert_rowid() AS nextval");
} }
if (!$result) {
throw new \Exception("nextval failed");
}
return (int)$result['nextval']; return (int)$result['nextval'];
} }
} }

View file

@ -3,24 +3,21 @@
namespace ctiso\Database; namespace ctiso\Database;
use ctiso\Database\Manager; use ctiso\Database\Manager;
use App\DbMigrate\DataBaseInfo;
use App\DbMigrate\DiffPatch;
/**
* Усановить базу данных из json файла.
*/
class JsonInstall { class JsonInstall {
/** @var Manager */ public Manager $db_manager;
public $db_manager;
/** @var array */
public $serialColumns; public $serialColumns;
public function __construct(Manager $db_manager) { public function __construct(Manager $db_manager) {
$this->db_manager = $db_manager; $this->db_manager = $db_manager;
} }
/** public function install(string $dbinit_path, ?string $dbfill_path = null) {
* Установить базу данных
* @param string $dbinit_path
* @param ?string $dbfill_path
* @return int
*/
function install($dbinit_path, $dbfill_path = null) {
$dbinit_file = file_get_contents($dbinit_path); $dbinit_file = file_get_contents($dbinit_path);
if (is_string($dbinit_file)) { if (is_string($dbinit_file)) {
$initActions = json_decode($dbinit_file, true); $initActions = json_decode($dbinit_file, true);
@ -38,15 +35,9 @@ class JsonInstall {
$this->fillDataBase($dbfill_path); $this->fillDataBase($dbfill_path);
} }
$this->makeConstraints($initActions); $this->makeConstraints($initActions);
return 1;
} }
/** protected function missingTables(array $tables) {
* Получить список таблиц, которые не существуют в базе данных
* @param array $tables
* @return array
*/
function missingTables($tables) {
$actual_tables = $this->db_manager->getAllTableNames(); $actual_tables = $this->db_manager->getAllTableNames();
$missingTables = []; $missingTables = [];
foreach ($tables as $table) { foreach ($tables as $table) {
@ -58,19 +49,17 @@ class JsonInstall {
/** /**
* Создать таблицы * Создать таблицы
* @param array $initActions
* @param string $dbinit_path
* @return void
*/ */
function initDataBase(array $initActions, $dbinit_path) { function initDataBase(array $initActions, string $dbinit_path): void {
$pg = $this->db_manager->db->isPostgres(); $pg = $this->db_manager->db->isPostgres();
if (!$pg) { if (!$pg) {
$refs = []; $refs = [];
//В sqlite нет alter reference. Референсы надо создавать при создании таблицы. //В sqlite нет alter reference. Референсы надо создавать при создании таблицы.
foreach ($initActions as $action) { foreach ($initActions as $action) {
if ($action["type"] == "alterReference") { if ($action["type"] == "alterReference") {
if (!isset($refs[$action["table"]])) if (!isset($refs[$action["table"]])) {
$refs[$action["table"]] = []; $refs[$action["table"]] = [];
}
$refs[$action["table"]][]=$action;//добавить к списку референсов для таблицы $refs[$action["table"]][]=$action;//добавить к списку референсов для таблицы
} }
} }
@ -116,16 +105,13 @@ class JsonInstall {
/** /**
* Заполнить данными * Заполнить данными
* @param string $dbfill_file_path
* @return void
*/ */
function fillDataBase($dbfill_file_path) { function fillDataBase(string $dbfill_file_path): void {
$dbfill_file = file_get_contents($dbfill_file_path); $dbfill_file = file_get_contents($dbfill_file_path);
if (is_string($dbfill_file)) { if (is_string($dbfill_file)) {
$actions = json_decode($dbfill_file,true); $actions = json_decode($dbfill_file,true);
if ($actions) { if ($actions) {
// Проверка что упоминаемые в списке действий таблицы уже есть в базе
//Проверка что упоминаемые в списке действий таблицы уже есть в базе
$affected_tables = []; $affected_tables = [];
foreach ($actions as $action) { foreach ($actions as $action) {
if ($action["table_name"]) { if ($action["table_name"]) {
@ -153,17 +139,14 @@ class JsonInstall {
/** /**
* Обновить ключи serial и создать ограничения * Обновить ключи serial и создать ограничения
* @param array $initActions
* @return void
*/ */
function makeConstraints($initActions) { protected function makeConstraints(array $initActions) {
$pg = $this->db_manager->db->isPostgres(); $pg = $this->db_manager->db->isPostgres();
if ($pg) { if ($pg) {
foreach ($this->serialColumns as $serialColumn) { foreach ($this->serialColumns as $serialColumn) {
$this->db_manager->updateSerial($serialColumn["table"], $serialColumn["column"]); $this->db_manager->updateSerial($serialColumn["table"], $serialColumn["column"]);
} }
foreach ($initActions as $action) { foreach ($initActions as $action) {
if ($action["type"] == "alterReference") { if ($action["type"] == "alterReference") {
$this->db_manager->executeAction($action); $this->db_manager->executeAction($action);
@ -172,4 +155,18 @@ class JsonInstall {
} }
} }
/**
* Обновить базу данных
*/
function update(array $patches): void {
$db = $this->db_manager->db;
$dbi = new DataBaseInfo();
$diff = new DiffPatch($db);
$diff->readPatches($dbi, $patches);
// Применяем изменения
$db->beginTransaction();
$diff->patchDatabase($diff->getCurrentSchema(), $dbi);
$db->commit();
}
} }

View file

@ -7,95 +7,16 @@ use ctiso\Tools\SQLStatementExtractor;
use ctiso\Path; use ctiso\Path;
use Exception; use Exception;
/**
* @phpstan-type DropAction array{
* type:"dropTable",
* table_name:string
* }
*
* @phpstan-type CreateAction array{
* type:"createTable",
* table_name:string,
* constraints?:array{fields: array<string>, type: string}|string,
* fields:array<mixed>,
* }
*
* @phpstan-type AddColumnAction array{
* type:"addColumn",
* table_name:string,
* column_name:string,
* field:ColumnProps
* }
*
* @phpstan-type AlterReferenceAction array{
* type:"alterReference",
* table:string,
* column:string,
* refTable:string,
* refColumn:string
* }
*
* @phpstan-type RenameColumnAction array{
* type:"renameColumn",
* table:string,
* old_name:string,
* new_name:string
* }
*
* @phpstan-type ExecuteFileAction array{
* type:"executeFile",
* source:string,
* pgsql:?string
* }
*
* @phpstan-type CreateViewAction array{
* type:"createView",
* view:string,
* select:string
* }
*
* @phpstan-type InsertAction array{
* type:"insert",
* table_name:string,
* values:array<mixed>
* }
*
* @phpstan-type Action DropAction
* | CreateAction
* | AddColumnAction
* | AlterReferenceAction
* | RenameColumnAction
* | ExecuteFileAction
* | CreateViewAction
* | InsertAction
*
* @phpstan-type ColumnProps array{
* name:string,
* type:string,
* not_null:bool,
* default:?string,
* references:?array{refTable:string,refColumn:string}
* }
*/
class Manager class Manager
{ {
/** @var Database */ public Database $db;
public $db;
public function __construct(Database $db) public function __construct(Database $db) {
{
$this->db = $db; $this->db = $db;
} }
/** public function executeAction(array $action, string $db_file = ""): void {
* Выполняет действие switch($action["type"]) {
* @param Action $action
* @param string $db_file
* @throws Exception
*/
public function executeAction(array $action, $db_file = ""): void
{
switch ($action["type"]) {
case "dropTable": case "dropTable":
$this->dropTableQuery($action["table_name"], true); $this->dropTableQuery($action["table_name"], true);
break; break;
@ -132,85 +53,60 @@ class Manager
break; break;
default: default:
throw new Exception("unknown action " . $action["type"] . PHP_EOL); throw new Exception("unknown action ". $action["type"] . PHP_EOL);
} }
} }
/** /**
* Дропает и создаёт SQL VIEW * Дропает и создаёт SQL VIEW
* @param string $viewName
* @param string $selectStatement
*/ */
public function recreateView($viewName, $selectStatement): void public function recreateView($viewName, $selectStatement) {
{ $this->db->query("DROP VIEW ".$viewName);
$this->db->query("DROP VIEW " . $viewName); $this->db->query("CREATE VIEW ".$viewName." AS ".$selectStatement);
$this->db->query("CREATE VIEW " . $viewName . " AS " . $selectStatement);
} }
/** public function dropTableQuery($table, $cascade=false)
* Дропает таблицу
* @param string $table
* @param bool $cascade
*/
public function dropTableQuery($table, $cascade = false): void
{ {
$statement = "DROP TABLE IF EXISTS " . $table; $statement = "DROP TABLE IF EXISTS ".$table;
if ($this->db->isPostgres() && $cascade) { if ($this->db->isPostgres()&&$cascade) {
$statement .= " CASCADE"; $statement .= " CASCADE";
} }
$this->db->query($statement); $this->db->query($statement);
} }
/** public function alterReference($table, $column, $refTable, $refColumn)
* Добавляет ссылку на другую таблицу
* @param string $table
* @param string $column
* @param string $refTable
* @param string $refColumn
*/
public function alterReference($table, $column, $refTable, $refColumn): void
{ {
$this->db->query("ALTER TABLE " . $table . " ADD CONSTRAINT " . $table . "_" . $column . "fk" . " FOREIGN KEY (" . $column . ") REFERENCES " . $refTable . " (" . $refColumn . ") ON DELETE CASCADE ON UPDATE CASCADE"); $this->db->query("ALTER TABLE ".$table." ADD CONSTRAINT ".$table."_".$column."fk"." FOREIGN KEY (".$column.") REFERENCES ".$refTable." (".$refColumn.")");
} }
/** //Извлечение информации о полях таблицы
* Извлечение информации о полях таблицы
* @param string $table
* @return array{type:string,not_null:bool,constraint:?string}[]|null
*/
public function tableInfo($table) public function tableInfo($table)
{ {
$pg = $this->db->isPostgres(); $pg = $this->db->isPostgres();
if ($pg) { if ($pg) {
throw new Exception("Not implemented for postgres"); throw new Exception("Not implemented for postgres");
} else { } else {
$results = $this->db->fetchAllArray("PRAGMA table_info(" . $table . ");"); $results = $this->db->fetchAllArray("PRAGMA table_info(".$table.");");
if (empty($results)) { if (empty($results)) {
return null; return null;
} }
$fields = []; $fields = [];
foreach ($results as $result) { foreach ($results as $result) {
$fields[$result["name"]] = [ $fields[$result["name"]] = [
"type" => $result["type"], "type"=> $result["type"],
"not_null" => boolval($result["notnull"]), "nullable"=> !boolval($result["notnull"]),
"constraint" => ((bool) $result["pk"]) ? "PRIMARY KEY" : null "constraint"=> ((bool) $result["pk"]) ? "PRIMARY KEY" : null
]; ];
} }
return $fields; return $fields;
} }
} }
/** public function renameColumn(string $table, string $old_name, string $new_name): void
* Переименование столбца в таблице
* @param string $table
* @param string $old_name
* @param string $new_name
*/
public function renameColumn($table, $old_name, $new_name): void
{ {
$pg = $this->db->isPostgres(); $pg = $this->db->isPostgres();
if ($pg) { if ($pg) {
$this->db->query("ALTER TABLE " . $table . " RENAME COLUMN " . $old_name . " TO " . $new_name); $this->db->query("ALTER TABLE ".$table." RENAME COLUMN ".$old_name." TO ".$new_name);
} else { } else {
$tmp_table = "tmp_" . $table; $tmp_table = "tmp_" . $table;
$this->dropTableQuery($tmp_table); $this->dropTableQuery($tmp_table);
@ -222,7 +118,7 @@ class Manager
$data = $this->dumpTable($table); $data = $this->dumpTable($table);
$this->db->query("ALTER TABLE " . $table . " RENAME TO " . $tmp_table . ";"); $this->db->query("ALTER TABLE ".$table." RENAME TO ".$tmp_table.";");
$table_info[$new_name] = $table_info[$old_name]; $table_info[$new_name] = $table_info[$old_name];
unset($table_info[$old_name]); unset($table_info[$old_name]);
$this->createTableQuery($table, $table_info, null); $this->createTableQuery($table, $table_info, null);
@ -239,59 +135,40 @@ class Manager
/** /**
* Обновление ключа serial после ручной вставки * Обновление ключа serial после ручной вставки
* @param string $table
* @param string $column
*/ */
public function updateSerial($table, $column): void public function updateSerial($table, $column): void
{ {
$this->db->query("SELECT setval(pg_get_serial_sequence('" . $table . "', '" . $column . "'), coalesce(max(" . $column . "),0) + 1, false) FROM " . $table); $this->db->query("SELECT setval(pg_get_serial_sequence('".$table."', '".$column."'), coalesce(max(".$column."),0) + 1, false) FROM ".$table);
} }
/** public function columnDefinition(string $name, $data, $pg): string
* Возвращает определение столбца
* @param string $name
* @param ColumnProps $data
* @param bool $pg
* @return string
*/
public function columnDefinition($name, $data, $pg)
{ {
$constraint = isset($data['constraint']) ? " " . $data['constraint'] : ""; $constraint = isset($data['constraint']) ? " ".$data['constraint'] : "";
$references = ""; $references = "";
if (isset($data['references'])) { if (isset($data['references'])) {
$references = " REFERENCES " . $data['references']['refTable'] . '(' . $data['references']['refColumn'] . ')'; $references = " REFERENCES " . $data['references']['table'] . '(' .$data['references']['column'] . ')';
} }
if (isset($data["not_null"]) && $data["not_null"]) { if (isset($data["nullable"]) && $data["nullable"] === false) {
$constraint .= " NOT NULL"; $constraint .=" NOT NULL";
} }
$type = $data['type']; $type = $data['type'];
if (!$pg) { if (!$pg) {
if (strtolower($type) == "serial") { if (strtolower($type)=="serial") {
$type = "integer"; $type = "integer";
} }
} }
return $name . " " . $type . $references . $constraint; return $name." ".$type.$references.$constraint;
} }
/** public function addColumn(string $table_name, string $column_name, $field): void
* Добавляет столбец в таблицу
* @param string $table_name
* @param string $column_name
* @param ColumnProps $field
*/
public function addColumn($table_name, $column_name, $field): void
{ {
$pg = $this->db->isPostgres(); $pg = $this->db->isPostgres();
$q = "ALTER TABLE " . $table_name . " ADD COLUMN " . $q = "ALTER TABLE ".$table_name." ADD COLUMN ".
$this->columnDefinition($column_name, $field, $pg); $this->columnDefinition($column_name, $field, $pg);
$this->db->query($q); $this->db->query($q);
} }
/**
* Возвращает определение ограничения
* @param array{fields: string[], type: string} $c
* @return string
*/
public function getConstraintDef(array $c) public function getConstraintDef(array $c)
{ {
if ($c['type'] == 'unique') { if ($c['type'] == 'unique') {
@ -300,15 +177,8 @@ class Manager
return ""; return "";
} }
//CreateTableQuery('users',['id'=>['type'=>'integer','constraint'=>'PRIMARY KEY']])
/** public function createTableQuery(string $table, array $fields, $constraints): void
* Создает таблицу
* @example createTableQuery('users',['id'=>['type'=>'integer','constraint'=>'PRIMARY KEY']])
* @param string $table
* @param array $fields
* @param array{fields: array<string>, type: string}|string|null $constraints
*/
public function createTableQuery($table, $fields, $constraints): void
{ {
$pg = $this->db->isPostgres(); $pg = $this->db->isPostgres();
if ($constraints) { if ($constraints) {
@ -327,17 +197,12 @@ class Manager
$this->db->query($statement); $this->db->query($statement);
} }
/** public function dumpTable(string $table_name): array
* Возвращает дамп таблицы
* @param string $table_name
* @return array
*/
public function dumpTable($table_name)
{ {
$pg = $this->db->isPostgres(); $pg = $this->db->isPostgres();
$result = []; $result = [];
$data = $this->db->fetchAllArray("SELECT * FROM " . $table_name . ";"); $data = $this->db->fetchAllArray("SELECT * FROM ".$table_name.";");
if (!$pg) { if (!$pg) {
$table_fields = $this->tableInfo($table_name); $table_fields = $this->tableInfo($table_name);
@ -354,19 +219,15 @@ class Manager
} }
foreach ($data as $r) { foreach ($data as $r) {
$result[] = [ $result[] = [
"type" => "insert", "type" => "insert",
"table_name" => $table_name, "table_name" => $table_name,
"values" => $r "values" => $r
]; ];
} }
return $result; return $result;
} }
/** public function getAllTableNames(): array
* Возвращает все имена таблиц
* @return list<string>
*/
public function getAllTableNames()
{ {
$result = []; $result = [];
if ($this->db->isPostgres()) { if ($this->db->isPostgres()) {
@ -381,11 +242,7 @@ class Manager
return $result; return $result;
} }
/** public function dumpInserts(): array
* Возвращает дамп всех таблиц
* @return array
*/
public function dumpInserts()
{ {
$table_names = $this->getAllTableNames(); $table_names = $this->getAllTableNames();
$result = []; $result = [];

View file

@ -7,16 +7,10 @@ use ctiso\Database\StatementIterator,
PDO; PDO;
use TheSeer\Tokenizer\Exception; use TheSeer\Tokenizer\Exception;
/**
* @implements \IteratorAggregate<int, array>
*/
class PDOStatement extends \PDOStatement implements \IteratorAggregate class PDOStatement extends \PDOStatement implements \IteratorAggregate
{ {
/** @var int */
protected $cursorPos = 0; protected $cursorPos = 0;
/** @var array<int, mixed> */ public $cache = array();
public $cache = [];
/** @var ?array */
public $fields; public $fields;
function getIterator(): \Iterator { function getIterator(): \Iterator {
@ -26,15 +20,11 @@ class PDOStatement extends \PDOStatement implements \IteratorAggregate
protected function __construct() { protected function __construct() {
} }
function rewind(): void { function rewind() {
$this->cursorPos = 0; $this->cursorPos = 0;
} }
/** public function seek($rownum) {
* @param int $rownum
* @return bool
*/
public function seek($rownum): bool {
if ($rownum < 0) { if ($rownum < 0) {
return false; return false;
} }
@ -45,19 +35,17 @@ class PDOStatement extends \PDOStatement implements \IteratorAggregate
return true; return true;
} }
function valid(): bool { function valid() {
return true; return true;
} }
/**
* @return bool
*/
public function first() { public function first() {
if ($this->cursorPos !== 0) { $this->seek(0); } if($this->cursorPos !== 0) { $this->seek(0); }
return $this->next(); return $this->next();
} }
function next(): bool{ function next() {
if ($this->getRecordCount() > $this->cursorPos) { if ($this->getRecordCount() > $this->cursorPos) {
if (!isset($this->cache[$this->cursorPos])) { if (!isset($this->cache[$this->cursorPos])) {
$this->cache[$this->cursorPos] = $this->fetch(PDO::FETCH_ASSOC); $this->cache[$this->cursorPos] = $this->fetch(PDO::FETCH_ASSOC);
@ -72,86 +60,49 @@ class PDOStatement extends \PDOStatement implements \IteratorAggregate
} }
} }
function key(): int { function key() {
return $this->cursorPos; return $this->cursorPos;
} }
/**
* @return mixed
*/
function current() { function current() {
return $this->cache[$this->cursorPos]; return $this->cache[$this->cursorPos];
} }
/**
* @return array|null
*/
function getRow() { function getRow() {
return $this->fields; return $this->fields;
} }
/** function getInt($name) {
* @param string $name
* @return int
*/
function getInt($name): int {
if (!$this->fields) { if (!$this->fields) {
throw new \Exception('no fields'); throw new \Exception('no fields');
} }
return (int)$this->fields[$name]; return (int)$this->fields[$name];
} }
/**
* @param string $name
* @return string
*/
function getBlob($name) { function getBlob($name) {
return $this->fields[$name]; return $this->fields[$name];
} }
/**
* @param string $name
* @return string
*/
function getString($name) { function getString($name) {
return $this->fields[$name] ?? null; return $this->fields[$name] ?? null;
} }
/**
* @param string $name
* @return bool
*/
function getBoolean($name) { function getBoolean($name) {
return (bool)$this->fields[$name]; return (bool)$this->fields[$name];
} }
/**
* @param string $name
* @return mixed
*/
function get($name) { function get($name) {
return $this->fields[$name]; return $this->fields[$name];
} }
/**
* @param string $name
* @return array
*/
function getArray($name) { function getArray($name) {
return StringUtil::strToArray($this->fields[$name]); return StringUtil::strToArray($this->fields[$name]);
} }
/**
* @return int
*/
function getRecordCount() { function getRecordCount() {
return count($this->cache); return count($this->cache);
} }
/**
* @param array $args
* @return bool
*/
function execute($args = null): bool { function execute($args = null): bool {
$result = parent::execute($args); $result = parent::execute($args);
return $result; return $result;

View file

@ -4,80 +4,48 @@
* Класс оболочка для PDOStatement для замены Creole * Класс оболочка для PDOStatement для замены Creole
*/ */
namespace ctiso\Database; namespace ctiso\Database;
use PDO,
use PDO; ctiso\Database;
use ctiso\Database;
class Statement class Statement
{ {
/** @var ?int */
protected $limit = null; protected $limit = null;
/** @var ?int */
protected $offset = null; protected $offset = null;
/** @var never */
protected $statement = null; protected $statement = null;
/** @var array{int|string, mixed, int}[] */ protected $binds = array();
protected $binds = [];
/** @var Database */
protected $conn; protected $conn;
/** @var string */
protected $query; protected $query;
/** function __construct($query, $conn/*: Database*/) {
* @param string $query
* @param Database $conn
*/
function __construct($query, $conn) {
$this->query = $query; $this->query = $query;
$this->conn = $conn; $this->conn = $conn;
} }
/** function setInt($n, $value) {
* @param int|string $n
* @param int $value
*/
function setInt($n, $value): void {
$this->binds [] = [$n, $value, PDO::PARAM_INT]; $this->binds [] = [$n, $value, PDO::PARAM_INT];
} }
/** function setString($n, $value) {
* @param int|string $n
* @param string $value
*/
function setString($n, $value): void {
$this->binds [] = [$n, $value, PDO::PARAM_STR]; $this->binds [] = [$n, $value, PDO::PARAM_STR];
} }
/** function setBlob($n, $value) {
* @param int|string $n
* @param mixed $value
*/
function setBlob($n, $value): void {
$this->binds [] = [$n, $value, PDO::PARAM_LOB]; $this->binds [] = [$n, $value, PDO::PARAM_LOB];
} }
/** function setLimit($limit) {
* @param int $limit
*/
function setLimit($limit): void {
$this->limit = $limit; $this->limit = $limit;
} }
/** function setOffset($offset) {
* @param int $offset
*/
function setOffset($offset): void {
$this->offset = $offset; $this->offset = $offset;
} }
/**
* @return PDOStatement
*/
function executeQuery() { function executeQuery() {
if ($this->limit) { if ($this->limit) {
$this->query .= " LIMIT {$this->limit} OFFSET {$this->offset}"; $this->query .= " LIMIT {$this->limit} OFFSET {$this->offset}";
} }
$stmt = $this->conn->prepare($this->query); $stmt/*: PDOStatement*/ = $this->conn->prepare($this->query);
foreach ($this->binds as $bind) { foreach ($this->binds as $bind) {
list($n, $value, $type) = $bind; list($n, $value, $type) = $bind;
$stmt->bindValue($n, $value, (int) $type); $stmt->bindValue($n, $value, (int) $type);

View file

@ -3,22 +3,14 @@
namespace ctiso\Database; namespace ctiso\Database;
use PDO; use PDO;
/**
* @implements \Iterator<array>
*/
class StatementIterator implements \Iterator class StatementIterator implements \Iterator
{ {
/** @var PDOStatement */
private $result; private $result;
/** @var int */
private $pos = 0; private $pos = 0;
/** @var int */
private $row_count; private $row_count;
/** public function __construct($rs/*: PDOStatement*/) {
* @param PDOStatement $rs
*/
public function __construct($rs) {
$this->result = $rs; $this->result = $rs;
$this->row_count = $rs->getRecordCount(); $this->row_count = $rs->getRecordCount();
} }
@ -42,18 +34,15 @@ class StatementIterator implements \Iterator
return $this->result->cache[$this->pos]; return $this->result->cache[$this->pos];
} }
function next(): void { function next(): void{
$this->pos++; $this->pos++;
} }
/** function seek($index) {
* @param int $index
*/
function seek($index): void {
$this->pos = $index; $this->pos = $index;
} }
function count(): int { function count() {
return $this->row_count; return $this->row_count;
} }
} }

View file

@ -4,19 +4,15 @@ namespace ctiso\Excel;
class DateTime class DateTime
{ {
/** @var int */
public $value; public $value;
/** function __construct($value)
* @param int $value
*/
function __construct($value)
{ {
$this->value = (int)$value; $this->value = (int)$value;
} }
function getString(): string function getString()
{ {
return date('Y-m-d\TH:i:s.u', $this->value); return date('Y-m-d\TH:i:s.u', $this->value);
} }
} }

View file

@ -8,18 +8,11 @@ use XMLWriter,
Exception; Exception;
class Document { class Document {
/** @var string */
static $ns = "urn:schemas-microsoft-com:office:spreadsheet"; static $ns = "urn:schemas-microsoft-com:office:spreadsheet";
/** @var list<Table|callable> */ private $table = array ();
private $table = []; protected $styles = array();
/** @var array<string, array> */
protected $styles = [];
/** function addTable($table) {
* Добавление таблицы в документ
* @param Table|callable $table Таблица или функция, возвращающая таблицу
*/
function addTable($table): void {
$this->table [] = $table; $this->table [] = $table;
} }
@ -29,7 +22,7 @@ class Document {
* @param array $values array Параметры стиля * @param array $values array Параметры стиля
* @param string $type Тип стиля * @param string $type Тип стиля
*/ */
function setStyle ($name, array $values, $type = 'Interior'): void function setStyle ($name, array $values, $type = 'Interior')
{ {
if(!isset($this->styles[$name])) { if(!isset($this->styles[$name])) {
$this->styles[$name] = []; $this->styles[$name] = [];
@ -40,8 +33,7 @@ class Document {
/** /**
* Генерация стилей * Генерация стилей
*/ */
private function createStyles (XMLWriter $doc): void private function createStyles (XMLWriter $doc) {
{
$doc->startElement('Styles'); $doc->startElement('Styles');
foreach ($this->styles as $name => $sn) { foreach ($this->styles as $name => $sn) {
$doc->startElement('Style'); $doc->startElement('Style');
@ -73,22 +65,18 @@ class Document {
/** /**
* Преобразует переводы строки в спец символы * Преобразует переводы строки в спец символы
* @param string $s
* @return string
*/ */
function clean ($s) { function clean ($s) {
assert(is_string($s));
return strtr($s, ["\n" => "&#10;"]); return strtr($s, ["\n" => "&#10;"]);
} }
/** /**
* Сохраняет таблицу в формате Office 2003 XML * Сохраняет таблицу в формате Office 2003 XML
* http://en.wikipedia.org/wiki/Microsoft_Office_XML_formats * http://en.wikipedia.org/wiki/Microsoft_Office_XML_formats
*
* @param string $filename
* @throws Exception
* @return void
*/ */
function save($filename): void function save($filename)
{ {
$doc = new XMLWriter(); $doc = new XMLWriter();
if (!$doc->openUri($filename)) { if (!$doc->openUri($filename)) {

View file

@ -4,20 +4,16 @@ namespace ctiso\Excel;
class Number class Number
{ {
/** @var int */
public $value; public $value;
/** function __construct($value)
* @param int|float $value
*/
function __construct($value)
{ {
$this->value = (int)($value); $this->value = (int)($value);
} }
function getString(): string function getString()
{ {
return (string) $this->value; return $this->value;
} }
} }

View file

@ -10,16 +10,10 @@ use XMLWriter,
class TableCell class TableCell
{ {
/** @var string|false */
public $style = false; public $style = false;
/** @var string */
public $value; public $value;
/** @var bool */
public $merge = false; public $merge = false;
/**
* @param string $value Значение клетки
*/
function __construct ($value) function __construct ($value)
{ {
$this->value = $value; $this->value = $value;
@ -31,29 +25,16 @@ class TableCell
*/ */
class TableRow class TableRow
{ {
/** @var string|false */
public $style = false; public $style = false;
/** @var TableCell[] */ public $cells = array();
public $cells = [];
/** @var int|false */
public $height = false; public $height = false;
/** function setCell($y, $value)
* Устанавливает значение для клетки
* @param int $y Номер столбца
* @param string $value Значение клетки
*/
function setCell($y, $value): void
{ {
$this->cells[$y] = new TableCell($value); $this->cells[$y] = new TableCell($value);
} }
/** function setCellStyle($y, $name)
* Устанавливает стиль для клетки
* @param int $y Номер столбца
* @param string $name Имя стиля
*/
function setCellStyle($y, $name): void
{ {
$this->cells[$y]->style = $name; $this->cells[$y]->style = $name;
} }
@ -64,16 +45,12 @@ class TableRow
*/ */
class Table class Table
{ {
/** @var int */
static $index; static $index;
/** @var string */
private $name; private $name;
/** @var TableRow[] */ private $style;
protected $rows = []; protected $rows = array();
/** @var int|false */
protected $_splitVertical = false; protected $_splitVertical = false;
/** @var int|false */
protected $_splitHorizontal = false; protected $_splitHorizontal = false;
function __construct() function __construct()
@ -83,30 +60,26 @@ class Table
/** /**
* Записать значение в клетку с заданными координатами * Записать значение в клетку с заданными координатами
* @param int $x Номер ряда
* @param int $y Номер столбца
* @param string $value Значение клетки
*/ */
function setCell(int $x, int $y, $value): void function setCell($x, $y, $value)
{ {
assert($x > 0); assert(is_numeric($x) && $x > 0);
assert($y > 0); assert(is_numeric($y) && $y > 0);
if(! isset($this->rows[$x])) { if(! isset($this->rows[$x])) {
$this->rows[$x] = new TableRow(); $this->rows[$x] = new TableRow();
} }
$row/*: TableRow*/ = $this->rows[$x];
$row = $this->rows[$x];
$row->setCell($y, $value); $row->setCell($y, $value);
} }
/** /**
* Заполняет ряд начиная с указанного столбца значениями из массива * Заполняет ряд начиная с указанного столбца значениями из массива
*/ */
function setRow(int $row, int $index, array $data): void function setRow($row, $index, array $data)
{ {
assert($index > 0); assert(is_numeric($index) && $index > 0);
assert($row > 0); assert(is_numeric($row) && $row > 0);
reset($data); reset($data);
for ($i = $index; $i < $index + count($data); $i++) { for ($i = $index; $i < $index + count($data); $i++) {
@ -117,40 +90,40 @@ class Table
/** /**
* Устанавливает высоту ряда * Устанавливает высоту ряда
* @param int $row Номер ряда * @param $row integer Номер ряда
* @param int $value Высота ряда * @parma $value real Высота ряда
*/ */
function setRowHeight (int $row, $value): void function setRowHeight ($row, $value)
{ {
assert($row > 0); assert(is_numeric($row) && $row > 0);
$this->rows[$row]->height = $value; $this->rows[$row]->height = $value;
} }
/** /**
* Устанавливает стиль ряда * Устанавливает стиль ряда
* @param int $row Номер ряда * @param $row integer Номер ряда
* @param string $name Имя стиля * @parma $name string Имя стиля
*/ */
function setRowStyle(int $row, $name): void function setRowStyle ($row, $name)
{ {
assert($row > 0); assert(is_numeric($row) && $row > 0);
$this->rows[$row]->style = $name; $this->rows[$row]->style = $name;
} }
/** /**
* Обьединяет клетки в строке * Обьединяет клетки в строке
* @param int $x Номер ряда * @param $row Номер ряда
* @param int $cell Номер столбца * @param $cell Номер столбца
* @param bool $merge Количество клеток для обьединения * @param $merge Количество клеток для обьединения
*/ */
function setCellMerge(int $x, int $cell, $merge): void function setCellMerge($x, $cell, $merge)
{ {
assert($x > 0); assert(is_numeric($x) && $x > 0);
assert($cell > 0); assert(is_numeric($cell) && $cell > 0);
$row = $this->rows[$x]; $row/*: TableRow*/ = $this->rows[$x];
$row->cells[$cell]->merge = $merge; $row->cells[$cell]->merge = $merge;
} }
@ -160,20 +133,18 @@ class Table
* @param int $y Номер столбца * @param int $y Номер столбца
* @param string $name Имя стиля * @param string $name Имя стиля
*/ */
function setCellStyle ($row, $y, $name): void function setCellStyle ($row, $y, $name)
{ {
if (isset($this->rows[$row])) { if (isset($this->rows[$row]))
$this->rows[$row]->setCellStyle($y, $name); $this->rows[$row]->setCellStyle($y, $name);
}
} }
/** /**
* Добавляет строку к таблице * Добавляет строку к таблице
* @return int Номер добавленной строки
*/ */
function addRow(int $index = 1, array $data = [""]) function addRow($index = 1, array $data = [""])
{ {
assert($index > 0); assert(is_numeric($index) && $index > 0);
$offset = $this->getRows() + 1; $offset = $this->getRows() + 1;
$this->setRow($offset, $index, $data); $this->setRow($offset, $index, $data);
@ -187,9 +158,8 @@ class Table
*/ */
function getRows() function getRows()
{ {
// Высчитываем максимальный индекс, массив может быть разрежен поэтому используем array_keys $keys/*: array*/ = array_keys($this->rows);
$keys = array_keys($this->rows); return max($keys);
return $keys === [] ? 0 : max($keys);
} }
/** /**
@ -199,15 +169,15 @@ class Table
*/ */
function getRowCells(TableRow $row) function getRowCells(TableRow $row)
{ {
$keys = array_keys($row->cells); $keys/*: array*/ = array_keys($row->cells);
return $keys === [] ? 0 :max($keys); return max($keys);
} }
/** /**
* Разделяет таблицу на две части по вертикали * Разделяет таблицу на две части по вертикали
* @param int $n Количество столбцов слева * @param int $n Количество столбцов слева
*/ */
function splitVertical($n): void { function splitVertical($n) {
$this->_splitVertical = $n; $this->_splitVertical = $n;
} }
@ -215,7 +185,7 @@ class Table
* Разделяет таблицу на две части по горизонтали * Разделяет таблицу на две части по горизонтали
* @param int $n Количество столбцов сверху * @param int $n Количество столбцов сверху
*/ */
function splitHorizontal($n): void { function splitHorizontal($n) {
$this->_splitHorizontal = $n; $this->_splitHorizontal = $n;
} }
@ -226,16 +196,9 @@ class Table
* @return int * @return int
*/ */
function getColumns() { function getColumns() {
$columns = array_map($this->getRowCells(...), $this->rows); return max(array_map([$this, 'getRowCells'], $this->rows));
return $columns === [] ? 0 : max($columns);
} }
/**
* Кодирование строки
* @deprecated Можно заменить на значение
* @param string $s Строка
* @return string
*/
function encode($s) function encode($s)
{ {
return $s; return $s;
@ -243,13 +206,8 @@ class Table
/** /**
* Генерация клетки таблицы (Переработать) * Генерация клетки таблицы (Переработать)
* @param TableCell $ncell Клетка таблицы
* @param XMLWriter $doc XMLWriter
* @param int $j Индекс клетки
* @param mixed $value Значение клетки
* @param bool $setIndex Устанавливать индекс клетки в атрибут ss:Index
*/ */
function createCell (TableCell $ncell, XMLWriter $doc, $j, mixed $value, $setIndex): void { function createCell (TableCell $ncell, XMLWriter $doc, $j, $value/*: any*/, $setIndex) {
$doc->startElement("Cell"); $doc->startElement("Cell");
if ($ncell->style) { if ($ncell->style) {
@ -257,11 +215,11 @@ class Table
} }
if ($ncell->merge) { if ($ncell->merge) {
$doc->writeAttribute('ss:MergeAcross', (string)$ncell->merge); $doc->writeAttribute('ss:MergeAcross', $ncell->merge);
} }
if ($setIndex) { if ($setIndex) {
$doc->writeAttribute('ss:Index', (string)$j); $doc->writeAttribute('ss:Index', $j);
} }
$doc->startElement("Data"); $doc->startElement("Data");
@ -277,7 +235,7 @@ class Table
} else { } else {
$doc->writeAttribute('ss:Type', "Number"); $doc->writeAttribute('ss:Type', "Number");
} }
$doc->writeCdata($value); $doc->writeCdata($this->encode($value));
} }
$doc->endElement(); $doc->endElement();
$doc->endElement(); $doc->endElement();
@ -286,7 +244,7 @@ class Table
/** /**
* Генерация таблицы * Генерация таблицы
*/ */
public function createTable (XMLWriter $doc): void { public function createTable (XMLWriter $doc) {
$doc->startElement('Worksheet'); $doc->startElement('Worksheet');
$doc->writeAttribute('ss:Name', $this->name); $doc->writeAttribute('ss:Name', $this->name);
@ -306,10 +264,10 @@ class Table
} }
if ($this->rows[$i]->height) { if ($this->rows[$i]->height) {
$doc->writeAttribute('ss:Height', (string)$this->rows[$i]->height); $doc->writeAttribute('ss:Height', $this->rows[$i]->height);
} }
/** @var TableRow $nrow */
$nrow = $this->rows[$i]; $nrow/*: TableRow*/ = $this->rows[$i];
// Флаг индикатор подстановки номера столбца // Флаг индикатор подстановки номера столбца
$setIndex = false; $setIndex = false;
for ($j = 1; $j <= $columns; $j++) { for ($j = 1; $j <= $columns; $j++) {
@ -334,23 +292,23 @@ class Table
$doc->endElement(); $doc->endElement();
} }
protected function splitPane (XMLWriter $doc): void { protected function splitPane (XMLWriter $doc) {
$doc->startElement('WorksheetOptions'); $doc->startElement('WorksheetOptions');
$doc->writeAttribute('xmlns', 'urn:schemas-microsoft-com:office:excel'); $doc->writeAttribute('xmlns', 'urn:schemas-microsoft-com:office:excel');
$doc->writeElement('FrozenNoSplit'); $doc->writeElement('FrozenNoSplit');
if ($this->_splitVertical) { if ($this->_splitVertical) {
$doc->writeElement('SplitVertical', (string) $this->_splitVertical); $doc->writeElement('SplitVertical', $this->_splitVertical);
$doc->writeElement('LeftColumnRightPane', (string) $this->_splitVertical); $doc->writeElement('LeftColumnRightPane', $this->_splitVertical);
} }
if ($this->_splitHorizontal) { if ($this->_splitHorizontal) {
$doc->writeElement('SplitHorizontal', (string) $this->_splitHorizontal); $doc->writeElement('SplitHorizontal', $this->_splitHorizontal);
$doc->writeElement('TopRowBottomPane', (string) $this->_splitHorizontal); $doc->writeElement('TopRowBottomPane', $this->_splitHorizontal);
} }
if ($this->_splitHorizontal && $this->_splitVertical) { if ($this->_splitHorizontal && $this->_splitVertical) {
$doc->writeElement('ActivePane', (string) 0); $doc->writeElement('ActivePane', (string)0);
} else if($this->_splitHorizontal) { } else if($this->_splitHorizontal) {
$doc->writeElement('ActivePane', (string) 2); $doc->writeElement('ActivePane', (string)2);
} }
$doc->endElement(); $doc->endElement();
} }

View file

@ -4,11 +4,6 @@ namespace ctiso;
use Exception; use Exception;
class File { class File {
/**
* @param string $filename
* @return string
* @throws Exception
*/
static function getContents($filename) { static function getContents($filename) {
$buffer = @file_get_contents($filename); $buffer = @file_get_contents($filename);
if ($buffer !== false) { if ($buffer !== false) {

View file

@ -1,27 +1,20 @@
<?php <?php
/** /**
* Фильтр действий * Фильтр действий
*/ */
namespace ctiso\Filter; namespace ctiso\Filter;
use ctiso\Filter\UserAccess,
use ctiso\HttpRequest; ctiso\HttpRequest,
use ctiso\Role\User; ctiso\Role\User;
class ActionAccess class ActionAccess
{ {
/** @var array */ public $access = array();
public $access = [];
/** @var FilterInterface */
public $processor; public $processor;
/** @var User */ public $user/*: User*/;
public $user;
/** function __construct($processor/*: Filter*/, $user) {
* @param FilterInterface $processor
* @param User $user
*/
function __construct($processor, $user) {
$this->processor = $processor; $this->processor = $processor;
$this->user = $user; $this->user = $user;
} }
@ -30,19 +23,12 @@ class ActionAccess
* Проверка доступных действий для пользователя * Проверка доступных действий для пользователя
* !! Реализация класса проверки действий не должна быть внутри Контроллера!!! * !! Реализация класса проверки действий не должна быть внутри Контроллера!!!
* Информация о доступе может быть в файле, базе данных и т.д. * Информация о доступе может быть в файле, базе данных и т.д.
*
* @param string $action
* @return bool
*/ */
function checkAction($action) { function checkAction($action) {
// Импликация !! http://ru.wikipedia.org/wiki/Импликация // Импликация !! http://ru.wikipedia.org/wiki/Импликация
return (!isset($this->access[$action]) || in_array($this->user->access, $this->access[$action])); return (!isset($this->access[$action]) || in_array($this->user->access, $this->access[$action]));
} }
/**
* @param HttpRequest $request
* @return mixed
*/
function execute(HttpRequest $request) { function execute(HttpRequest $request) {
$action = $request->getAction(); $action = $request->getAction();
if(! $this->checkAction($action)) { if(! $this->checkAction($action)) {

View file

@ -5,25 +5,15 @@ use ctiso\Role\UserInterface,
ctiso\HttpRequest; ctiso\HttpRequest;
/* Переделать формат Логов на список json */ /* Переделать формат Логов на список json */
class ActionLogger implements FilterInterface class ActionLogger
{ {
/** @var array */ public $before = array();
public $before = [];
/** @var resource */
public $file; public $file;
/** @var UserInterface */
public $user; public $user;
/** @var string */
public $action; public $action;
/** @var \ctiso\Controller\ActionInterface */
public $processor; public $processor;
/** function __construct($processor/*: Filter*/, $logPath, $user/*: UserInterface*/) {
* @param \ctiso\Controller\ActionInterface $processor
* @param string $logPath
* @param UserInterface $user
*/
function __construct($processor, $logPath, $user) {
$this->processor = $processor; $this->processor = $processor;
$this->user = $user; $this->user = $user;

View file

@ -5,20 +5,13 @@ namespace ctiso\Filter;
class Authorization { class Authorization {
const SESSION_BROWSER_SIGN_SECRET = '@w3dsju45Msk#'; const SESSION_BROWSER_SIGN_SECRET = '@w3dsju45Msk#';
const SESSION_BROWSER_SIGN_KEYNAME = 'session.app.browser.sign'; const SESSION_BROWSER_SIGN_KEYNAME = 'session.app.browser.sign';
/** @var string */
public $group; public $group;
/**
* @param string $group
*/
function __construct($group) { function __construct($group) {
$this->group = $group; $this->group = $group;
} }
/** static function isLogged($group = 'access') {
* @param string $group
*/
static function isLogged($group = 'access'): bool {
// echo session_status(); // echo session_status();
if (session_status() == PHP_SESSION_NONE) { if (session_status() == PHP_SESSION_NONE) {
session_start(); session_start();
@ -36,11 +29,7 @@ class Authorization {
return false; return false;
} }
/** static function enter($id, $group = 'access') {
* @param int $id
* @param string $group
*/
static function enter($id, $group = 'access'): void {
// $db->executeQuery("UPDATE visitor SET sid = '' WHERE id_visitor = " . $result->getInt('id_user')); // $db->executeQuery("UPDATE visitor SET sid = '' WHERE id_visitor = " . $result->getInt('id_user'));
// session_register("access"); // session_register("access");
// session_register("time"); // session_register("time");
@ -51,7 +40,7 @@ class Authorization {
$_SESSION ["time"] = time(); $_SESSION ["time"] = time();
} }
static function getRawSign(): string static function getRawSign()
{ {
$rawSign = self::SESSION_BROWSER_SIGN_SECRET; $rawSign = self::SESSION_BROWSER_SIGN_SECRET;
$signParts = ['HTTP_USER_AGENT']; $signParts = ['HTTP_USER_AGENT'];
@ -59,16 +48,17 @@ class Authorization {
foreach ($signParts as $signPart) { foreach ($signParts as $signPart) {
$rawSign .= '::' . ($_SERVER[$signPart] ?? 'none'); $rawSign .= '::' . ($_SERVER[$signPart] ?? 'none');
} }
return $rawSign; return $rawSign;
} }
static function getBrowserSign(): string static function getBrowserSign()
{ {
return md5(self::getRawSign()); return md5(self::getRawSign());
} }
function logout(): void { function logout() {
session_destroy(); session_destroy();
} }
} }

View file

@ -5,44 +5,29 @@
*/ */
namespace ctiso\Filter; namespace ctiso\Filter;
use ctiso\Database; use ctiso\Controller\Action,
use ctiso\HttpRequest; ctiso\HttpRequest;
use ctiso\Controller\ActionInterface;
class Filter implements ActionInterface class Filter
{ {
/** @var ActionInterface */
public $processor; public $processor;
public function __construct($processor/*: Action*/)
/**
* @param ActionInterface $processor
*/
public function __construct($processor)
{ {
$this->processor = $processor; $this->processor = $processor;
} }
public function execute(HttpRequest $request) public function execute(HttpRequest $request)
{ {
return $this->processor->execute($request); return $this->processor->execute($request);
} }
/** public function getView($name, $class = 'ctiso\\View\\Top')
* @param string $name
* @param class-string<\ctiso\View\View> $class
* @return \ctiso\View\View
*/
public function getView($name, $class = \ctiso\View\Top::class)
{ {
return $this->processor->getView($name, $class); return $this->processor->getView($name, $class);
} }
public function getConnection(): Database public function getConnection()
{ {
return $this->processor->getConnection(); return $this->processor->getConnection();
} }
public function addUrlPart($key, $value): void {
$this->processor->addUrlPart($key, $value);
}
} }

View file

@ -1,12 +0,0 @@
<?php
namespace ctiso\Filter;
use ctiso\HttpRequest;
interface FilterInterface {
/**
* @param HttpRequest $request
* @return mixed
*/
function execute(HttpRequest $request);
}

View file

@ -2,34 +2,31 @@
/** /**
* Фильтр для проверки авторизации * Фильтр для проверки авторизации
*
* action: login(password, login)
* action: logout()
*/ */
namespace ctiso\Filter;
use ctiso\Filter\Filter;
use ctiso\HttpRequest;
use ctiso\Settings;
use ctiso\Registry;
use ctiso\Database;
use ctiso\Role\User;
use ctiso\Collection;
use ctiso\Path;
use ctiso\Database\PDOStatement;
// В класс авторизации передавать обьект для управления пользователем // В класс авторизации передавать обьект для управления пользователем
// Вынести в отдельный файл // Вынести в отдельный файл
namespace ctiso\Filter;
use ctiso\Filter\Filter,
ctiso\HttpRequest,
ctiso\Settings,
ctiso\Registry,
ctiso\Database,
ctiso\Role\User,
ctiso\Collection,
ctiso\Path;
class Login extends Filter class Login extends Filter
{ {
const SESSION_BROWSER_SIGN_SECRET = '@w3dsju45Msk#'; const SESSION_BROWSER_SIGN_SECRET = '@w3dsju45Msk#';
const SESSION_BROWSER_SIGN_KEYNAME = 'session.app.browser.sign'; const SESSION_BROWSER_SIGN_KEYNAME = 'session.app.browser.sign';
const AUTH_MAX_ATTEMPT = 10; const AUTH_MAX_ATTEMPT = 10;
const AUTH_LAST_ATTEMPT_TIMER = 600; const AUTH_LAST_ATTEMPT_TIMER = 600;
/** @var string */
public $mode = 'ajax'; public $mode = 'ajax';
/** @var PDOStatement */
public $user; public $user;
/** @var User */
public $role; public $role;
/** @var Registry */
public $config; public $config;
function __construct($processor, User $role, Registry $config) { function __construct($processor, User $role, Registry $config) {
@ -41,7 +38,7 @@ class Login extends Filter
/** /**
* Проверка авторизации * Проверка авторизации
* @param HttpRequest $request * @param HttpRequest $request
* @return bool Авторизовани пользователь или нет * @return Boolean Авторизовани пользователь или нет
*/ */
public function isLoggin(HttpRequest $request) public function isLoggin(HttpRequest $request)
{ {
@ -50,8 +47,8 @@ class Login extends Filter
switch ($request->getAction()) { switch ($request->getAction()) {
// Авторизация по постоянному паролю // Авторизация по постоянному паролю
case 'login': case 'login':
$login = $request->getString('login', '') ; $login = $request->get('login');
$password = $request->getString('password'); $password = $request->get('password');
$result = $this->role->getUserByLogin($login); // Поиск по логину $result = $this->role->getUserByLogin($login); // Поиск по логину
if ($result) { if ($result) {
@ -63,9 +60,6 @@ class Login extends Filter
$db = Database::getConnection($dsn); $db = Database::getConnection($dsn);
$user = $db->fetchOneArray("SELECT * FROM users WHERE login = :login", ['login' => $login]); $user = $db->fetchOneArray("SELECT * FROM users WHERE login = :login", ['login' => $login]);
if ($user === false) {
return false;
}
$userPassword = $user['password']; $userPassword = $user['password'];
} /*else if (time() - $result->getInt('lastupdate') > 60*60*24*60) { } /*else if (time() - $result->getInt('lastupdate') > 60*60*24*60) {
// Проверить давность пароля, 60 дней // Проверить давность пароля, 60 дней
@ -73,7 +67,7 @@ class Login extends Filter
$request->set('lastupdate', true); $request->set('lastupdate', true);
return false; return false;
}*/ }*/
// Проверка на количества попыток авторизации // Проверка на количества попыток авторизации
$lastAttempt = $result; $lastAttempt = $result;
if ($lastAttempt->get('trie_count') >= self::AUTH_MAX_ATTEMPT /*&& time() - $lastAttempt['trie_time'] < self::AUTH_LAST_ATTEMPT_TIMER*/) { if ($lastAttempt->get('trie_count') >= self::AUTH_MAX_ATTEMPT /*&& time() - $lastAttempt['trie_time'] < self::AUTH_LAST_ATTEMPT_TIMER*/) {
@ -81,7 +75,7 @@ class Login extends Filter
$request->set('timeout_error', true); $request->set('timeout_error', true);
break; break;
} else { } else {
$this->role->resetTries($request->getString('login')); $this->role->resetTries($request->get('login'));
} }
} }
// Извлечнеие пользователя из родительской CMS, для проверки пароля // Извлечнеие пользователя из родительской CMS, для проверки пароля
@ -106,7 +100,7 @@ class Login extends Filter
$result = $this->role->getUserByLogin($login); // Поиск по логину $result = $this->role->getUserByLogin($login); // Поиск по логину
if ($result) { if ($result) {
$temp = md5($result->getString('password') . $result->getString('login') . $result->getString('sid')); $temp = md5($result->getString('password') . $result->getString('login') . $result->getString('sid'));
if ($password == $temp) { if ($password == $temp) {
$this->enter($result); $this->enter($result);
return true; return true;
} }
@ -131,15 +125,11 @@ class Login extends Filter
return false; return false;
} }
/** private function enter($result)
* Вход в систему
* @param PDOStatement $result
*/
private function enter($result): void
{ {
$this->user = $result; $this->user = $result;
$random = rand(0, 1024 * 1024); $random = rand(0, 1024 * 1024);
$this->role->setSID((string)$random, $result); $this->role->setSID($random, $result);
$_SESSION["group"] = $result->getInt('access'); $_SESSION["group"] = $result->getInt('access');
$_SESSION["access"] = $result->getInt('id_user'); // id_user $_SESSION["access"] = $result->getInt('id_user'); // id_user
@ -148,13 +138,10 @@ class Login extends Filter
$_SESSION["time"] = time(); $_SESSION["time"] = time();
} }
/** public function execute(HttpRequest $request)
* @return mixed
*/
public function execute(HttpRequest $request): mixed
{ {
$logged = $this->isLoggin($request); $logged = $this->isLoggin($request);
if ($request->getString('action') == 'user_access') { if ($request->get('action') == 'user_access') {
if ($logged) { if ($logged) {
$result = []; $result = [];
$result['fullname'] = $this->user->getString('patronymic') . " " . $this->user->getString('firstname'); $result['fullname'] = $this->user->getString('patronymic') . " " . $this->user->getString('firstname');
@ -166,7 +153,7 @@ class Login extends Filter
} }
} }
if ($request->getString('action') == 'relogin') { if ($request->get('action') == 'relogin') {
if ($logged) { if ($logged) {
return json_encode(['result' => 'ok', 'message' => "Авторизация успешна"]); return json_encode(['result' => 'ok', 'message' => "Авторизация успешна"]);
} else { } else {
@ -177,7 +164,7 @@ class Login extends Filter
if (!$logged) { if (!$logged) {
// Параметры при неправильной авторизации // Параметры при неправильной авторизации
// Действия по умолчанию !! Возможно переход на форму регистрации // Действия по умолчанию !! Возможно переход на форму регистрации
if ($request->getString('mode') == 'ajax') { if ($request->get('mode') == 'ajax') {
if (!$this->requestIsWhite($request)) { if (!$this->requestIsWhite($request)) {
return json_encode(['result' => 'fail', 'message' =>"NOT_AUTHORIZED"]); return json_encode(['result' => 'fail', 'message' =>"NOT_AUTHORIZED"]);
} }
@ -187,11 +174,8 @@ class Login extends Filter
} }
} else if (isset($_SERVER['HTTP_REFERER'])) { } else if (isset($_SERVER['HTTP_REFERER'])) {
$arr = []; $arr = [];
parse_str(parse_url($_SERVER['HTTP_REFERER'] ?? '', PHP_URL_QUERY) ?: '', $arr); parse_str(parse_url($_SERVER['HTTP_REFERER'], PHP_URL_QUERY) ?? '', $arr);
if (isset($arr['back_page']) if (isset($arr['back_page']) && $request->get('mode') != 'ajax') {
&& is_string($arr['back_page'])
&& $request->getString('mode') != 'ajax')
{
$request->redirect($arr['back_page']); $request->redirect($arr['back_page']);
} }
} }
@ -200,23 +184,19 @@ class Login extends Filter
return $text; return $text;
} }
/** /* ---------------------
* Проверка на попадание реквеста в белый список * Проверка на попадание реквеста в белый список
*/ */
public function requestIsWhite(Collection $request): bool { public function requestIsWhite(Collection $request) {
$module = $request->get('module'); $module = $request->get('module');
$action = $request->get('action'); $action = $request->get('action');
$moduleDir = explode('\\',$module)[0]; $moduleDir = explode('\\',$module)[0];
// TODO: Параметр для белого списка перенести в install.json
$file = Path::join($this->config->get('system', 'path'), 'modules', $moduleDir, 'filters', 'white.json'); $file = Path::join($this->config->get('system', 'path'), 'modules', $moduleDir, 'filters', 'white.json');
if (file_exists($file)) { if (file_exists($file)) {
$text = file_get_contents($file); $whiteList = json_decode(file_get_contents($file), true);
if (!$text) {
return false; if (in_array($action, $whiteList)) {
}
$whiteList = json_decode($text, true);
if (is_array($whiteList) && in_array($action, $whiteList, true)) {
return true; return true;
} }
} }

View file

@ -5,9 +5,8 @@ use ctiso\Form\Field;
class CheckBox extends Field class CheckBox extends Field
{ {
/** @var bool */
public $checked = false; public $checked = false;
function setValue($value): void function setValue($value)
{ {
$this->value = $value; $this->value = $value;
$this->checked = $value; $this->checked = $value;

View file

@ -4,51 +4,28 @@
*/ */
namespace ctiso\Form; namespace ctiso\Form;
use ctiso\Form\OptionsFactory;
class Field class Field
{ {
/** @var bool */
public $hidden = false; public $hidden = false;
/** @var string */
public $name; public $name;
/** @var string */
public $label; // Метка поля public $label; // Метка поля
/** @var mixed */
public $value; // Значение поля public $value; // Значение поля
/** @var string */
public $type = ""; // Каждому типу элемента соответствует макрос TAL public $type = ""; // Каждому типу элемента соответствует макрос TAL
/** @var ?string */ public $error_msg = null;
public $error_msg = null; public $default = null;
/** @var ?mixed */ public $error = false;
public $default = null;
/** @var bool */
public $error = false;
/** @var bool */
public $require = false; public $require = false;
/** @var ?string */
public $hint = null; public $hint = null;
/** @var ?int */
public $maxlength = null; public $maxlength = null;
/** @var ?string */
public $fieldset = null; public $fieldset = null;
// Блоки (Убрать в отдельный класс!!!) // Блоки (Убрать в отдельный класс!!!)
/** @var array */ public $_title = array();
public $_title = [];
/** @var string */
public $description = ""; public $description = "";
/** @var array */ public $alias = array();
public $alias = [];
/** @phpstan-ignore-next-line */
/**
* @param array $input
* @param OptionsFactory|null $factory
* @phpstan-ignore-next-line
*/
public function __construct ($input = [], $factory = null) public function __construct ($input = [], $factory = null)
{ {
$this->default = null; $this->default = null;
if (isset($input['validate'])) { if (isset($input['validate'])) {
$this->require = strpos($input['validate'], 'require') !== false; $this->require = strpos($input['validate'], 'require') !== false;
@ -64,15 +41,12 @@ class Field
} }
} }
/** function setValue($value/*: any*/)
* @param mixed $value
*/
function setValue($value): void
{ {
$this->value = $value; $this->value = $value;
} }
function getId(): string function getId()
{ {
return $this->name . '_label'; return $this->name . '_label';
} }

View file

@ -5,40 +5,30 @@
*/ */
namespace ctiso\Form; namespace ctiso\Form;
use ctiso\Form\Field,
use ctiso\Form\Field; ctiso\Form\Select,
use ctiso\Form\Select; ctiso\Form\Input,
use ctiso\Form\Input; ctiso\View\View,
use ctiso\Validator\Validator; ctiso\Validator\Validator,
use ctiso\HttpRequest; ctiso\HttpRequest;
/** /**
* Форма для ввода * Форма для ввода
*/ */
class Form { class Form {
/** @var array<Field> */ public $field = array(); //Поля формы
public $field = []; //Поля формы public $fieldsets = array(); //Группы полей (fieldset). Некоторые поля могут не принадлежать никаким группам
/** @var array */
public $fieldsets = []; //Группы полей (fieldset). Некоторые поля могут не принадлежать никаким группам
/** @var string */
public $action = ""; public $action = "";
/** @var string */
public $method = 'post'; public $method = 'post';
/** @var string */
public $header; public $header;
/** @var array */
protected $replace; protected $replace;
/** @var array */
protected $before; protected $before;
/** @var array<string> */ public $_title = array();
public $_title = []; public $alias = array();
/** @var array */ private $constructor = array();
public $alias = [];
/** @var class-string<Field>[] */
private $constructor = [];
/** /**
* Строим форму по ее структуре. Каждому типу соответствует определенный класс. * Строим форму по ее структуре. Каждому типу соответствует определенный класс.
@ -49,6 +39,7 @@ class Form {
'input' => Input::class, 'input' => Input::class,
// input с проверкой на заполненность // input с проверкой на заполненность
'inputreq' => Input::class, 'inputreq' => Input::class,
'date' => Date::class, 'date' => Date::class,
'datereq' => Date::class, 'datereq' => Date::class,
'datetime' => DateTime::class, 'datetime' => DateTime::class,
@ -77,7 +68,7 @@ class Form {
} }
function getId(): string function getId()
{ {
return '_form_edit'; return '_form_edit';
} }
@ -86,18 +77,18 @@ class Form {
* Добавление конструкторя для поля формы * Добавление конструкторя для поля формы
* @param string $name Краткое название поля * @param string $name Краткое название поля
* @param class-string<Field> $class * @param class-string<Field> $class
* @return void
*/ */
public function addFieldClass($name, $class): void public function addFieldClass($name, $class)
{ {
$this->constructor [$name] = $class; $this->constructor [$name] = $class;
} }
/** /**
* Добавляет одно поле ввода на форму * Добавляет одно поле ввода на форму
* @param array{ type: string, name: string, hint?: string } $init * @return Field
* @param OptionsFactory|null $factory
*/ */
public function addField(array $init, $factory = null): Field public function addField(array $init, $factory = null)
{ {
assert(isset($init['type'])); assert(isset($init['type']));
assert(isset($init['name'])); assert(isset($init['name']));
@ -119,7 +110,8 @@ class Form {
/** /**
* Добавление fieldset на форму * Добавление fieldset на форму
*/ */
public function addFieldSet(array $fieldset): void
public function addFieldSet(array $fieldset)
{ {
$this->fieldsets[$fieldset['name']] = $fieldset; $this->fieldsets[$fieldset['name']] = $fieldset;
} }
@ -127,7 +119,8 @@ class Form {
/** /**
* Добавление массива fieldset на форму * Добавление массива fieldset на форму
*/ */
public function addFieldSetList(array $list): void
public function addFieldSetList(array $list)
{ {
foreach ($list as $fieldset) { foreach ($list as $fieldset) {
$this->addFieldSet($fieldset); $this->addFieldSet($fieldset);
@ -137,9 +130,8 @@ class Form {
/** /**
* Добавляет список полей для формы * Добавляет список полей для формы
* @param array $list * @param array $list
* @param OptionsFactory|null $factory
*/ */
public function addFieldList(array $list, $factory = null): void public function addFieldList(array $list, $factory = null)
{ {
foreach ($list as $init) { foreach ($list as $init) {
$this->addField($init, $factory); $this->addField($init, $factory);
@ -149,7 +141,7 @@ class Form {
/** /**
* Устанавливает ошибки после проверки * Устанавливает ошибки после проверки
*/ */
function setError(Validator $validator): void function setError(Validator $validator)
{ {
foreach ($validator->getErrorMsg() as $name => $error) foreach ($validator->getErrorMsg() as $name => $error)
{ {
@ -158,12 +150,7 @@ class Form {
} }
} }
/** function setFieldError($name, $message)
* Устанавливает ошибку для поля
* @param string $name
* @param string $message
*/
function setFieldError($name, $message): void
{ {
$this->field[$name]->error = true; $this->field[$name]->error = true;
$this->field[$name]->error_msg = $message; $this->field[$name]->error_msg = $message;
@ -172,7 +159,7 @@ class Form {
/** /**
* Устанавливает значения из масива * Устанавливает значения из масива
*/ */
function setValues(HttpRequest $request): void { function setValues(HttpRequest $request) {
foreach ($this->field as $key => $_) { foreach ($this->field as $key => $_) {
$value = $request->getRawData($this->method, $key); $value = $request->getRawData($this->method, $key);
$this->field[$key]->setValue($value); $this->field[$key]->setValue($value);
@ -184,28 +171,20 @@ class Form {
* @param object $data * @param object $data
* @param array $schema Связь между элементами формы и свойствами обьекта * @param array $schema Связь между элементами формы и свойствами обьекта
*/ */
public function fill($data, array $schema): void public function fill($data, array $schema)
{ {
foreach ($schema as $key => $conv) { foreach ($schema as $key => $conv) {
list($value, $type) = $conv; list($value, $type) = $conv;
$convertFn = [\ctiso\Primitive::class, 'from_' . $type]; $this->field [$key]->setValue(call_user_func([\ctiso\Primitive::class, 'from_' . $type], $data->$value));
if (!is_callable($convertFn)) {
throw new \Exception('Не найден метод преобразования ' . $type);
}
$this->field[$key]->setValue(call_user_func($convertFn, $data->$value));
} }
} }
/** public function set($name, $value)
* @param string $name
* @param mixed $value
*/
public function set($name, $value): void
{ {
$this->field[$name]->setValue($value); $this->field[$name]->setValue($value);
} }
function execute(): self function execute()
{ {
return $this; return $this;
} }

View file

@ -4,6 +4,5 @@ namespace ctiso\Form;
use ctiso\Form\Input; use ctiso\Form\Input;
class Hidden extends Input { class Hidden extends Input {
/** @var bool */
public $hidden = true; public $hidden = true;
} }

View file

@ -1,7 +0,0 @@
<?php
namespace ctiso\Form;
interface OptionsFactory {
function create(Select $field, array $options): void;
}

View file

@ -5,7 +5,7 @@ use ctiso\Form\Select;
class QuestionType extends Select class QuestionType extends Select
{ {
function setValue($value): void function setValue($value)
{ {
// Установить selected у options // Установить selected у options
$this->value = $value; $this->value = $value;

View file

@ -3,18 +3,10 @@
namespace ctiso\Form; namespace ctiso\Form;
use ctiso\Form\Field; use ctiso\Form\Field;
/**
* @phpstan-type Option = array{value: string, name: string, selected?: bool, class?: string|false}
*/
class Select extends Field class Select extends Field
{ {
/** @var Option[] */ public $options = array();
public $options = [];
/**
* @param array{ options?: Option[], 'options.pair'?: array } $input
* @param OptionsFactory $factory
*/
public function __construct ($input, $factory) { public function __construct ($input, $factory) {
parent::__construct($input); parent::__construct($input);
@ -32,11 +24,6 @@ class Select extends Field
} }
} }
/**
* @param string[] $list
* @param bool $selected
* @return Option[]
*/
public function optionsPair($list, $selected = false) { public function optionsPair($list, $selected = false) {
$result = []; $result = [];
foreach ($list as $key => $value) { foreach ($list as $key => $value) {

View file

@ -5,7 +5,7 @@ use ctiso\Form\Select;
class SelectMany extends Select class SelectMany extends Select
{ {
function setValue(mixed $value): void function setValue($value)
{ {
// Установить selected у options // Установить selected у options
if (!is_array($value)) { $value = [$value]; } if (!is_array($value)) { $value = [$value]; }

View file

@ -8,7 +8,7 @@ use ctiso\Form\Select;
class SelectOne extends Select class SelectOne extends Select
{ {
function setValue($value): void function setValue($value)
{ {
// Установить selected у options // Установить selected у options
$this->value = $value; $this->value = $value;

View file

@ -1,13 +1,13 @@
<?php <?php
/** /**
* Текстовое поле * Текстовое поле
*/ */
namespace ctiso\Form; namespace ctiso\Form;
use ctiso\Form\Field; use ctiso\Form\Field;
class TextArea extends Field { class TextArea extends Field {
function setValue($value): void function setValue($value)
{ {
$this->value = $value; $this->value = $value;
} }

View file

@ -1,6 +1,6 @@
<?php <?php
/** /**
* http://www.alternateinterior.com/2006/09/a-viewstate-for-php.html * http://www.alternateinterior.com/2006/09/a-viewstate-for-php.html
* Управление состоянием между страницами * Управление состоянием между страницами
*/ */
@ -8,26 +8,16 @@ namespace ctiso\Form;
class ViewState // extends Collection class ViewState // extends Collection
{ {
/** @var array */ private $values = array();
private $values = [];
/** function set($name, $value)
* Устанавливает значение
* @param string $name
* @param mixed $value
*/
function set($name, $value): void
{ {
$this->values[$name] = $value; $this->values[$name] = $value;
} }
/** function get($_rest)
* Возвращает значение
* @param string ...$args
* @return mixed
*/
function get(...$args)
{ {
$args = func_get_args();
$result = $this->values; $result = $this->values;
foreach ($args as $name) { foreach ($args as $name) {
if (!isset($result[$name])) { if (!isset($result[$name])) {
@ -38,28 +28,16 @@ class ViewState // extends Collection
return $result; return $result;
} }
/** function saveState()
* Сохраняет состояние
* @return string
*/
function saveState(): string
{ {
return base64_encode(serialize($this->values)); return base64_encode(serialize($this->values));
} }
/** function restoreState($value)
* Восстанавливает состояние
* @param string $value
*/
function restoreState($value): void
{ {
$this->values = unserialize(base64_decode($value)); $this->values = unserialize(base64_decode($value));
} }
/**
* Возвращает состояние
* @return array
*/
function export() function export()
{ {
return $this->values; return $this->values;

View file

@ -1,55 +1,42 @@
<?php <?php
namespace ctiso; /**
* Функциональное программирование в PHP
* package functional
*/
/** /**
* Эмуляция каррированой функции * Эмуляция каррированой функции
*/ */
class right { namespace ctiso;
/** @var array<mixed> */
protected $params;
/** @var callable */
protected $fn;
/** class right {
* @param array $params protected $params;
*/ protected $fn;
public function __construct($params) { public function __construct($params) {
$this->fn = array_shift($params); $this->fn = array_shift($params);
$this->params = $params; $this->params = $params;
} }
/** function apply() {
* Применение функции $params = func_get_args();
* @param mixed ...$params
* @return mixed
*/
function apply(...$params) {
array_splice($params, count($params), 0, $this->params); array_splice($params, count($params), 0, $this->params);
return call_user_func_array($this->fn, $params); return call_user_func_array($this->fn, $params);
} }
} }
class left { class left {
/** @var array<mixed> */ protected $params;
protected $params;
/** @var callable */
protected $fn; protected $fn;
/**
* @param array $params
*/
public function __construct($params) { public function __construct($params) {
$this->fn = array_shift($params); $this->fn = array_shift($params);
$this->params = $params; $this->params = $params;
} }
/** function apply() {
* Применение функции $params = func_get_args();
* @param mixed ...$params
* @return mixed
*/
function apply(...$params) {
array_splice ($params, 0, 0, $this->params); array_splice ($params, 0, 0, $this->params);
return call_user_func_array ($this->fn, $params); return call_user_func_array ($this->fn, $params);
} }
@ -57,25 +44,16 @@ class left {
define('__', '_ARGUMENT_PLACE_'); define('__', '_ARGUMENT_PLACE_');
class partial { class partial {
/** @var array<mixed> */ protected $params;
protected $params;
/** @var callable */
protected $fn; protected $fn;
/**
* @param array $params
*/
public function __construct($params) { public function __construct($params) {
$this->fn = array_shift($params); $this->fn = array_shift($params);
$this->params = $params; $this->params = $params;
} }
/** function apply() {
* Применение функции $params = func_get_args();
* @param mixed ...$params
* @return mixed
*/
function apply(...$params) {
$result = []; $result = [];
$count = count($this->params); $count = count($this->params);
for($i = 0, $j = 0; $i < $count; $i++) { for($i = 0, $j = 0; $i < $count; $i++) {
@ -88,28 +66,19 @@ class partial {
} }
return call_user_func_array ($this->fn, $result); return call_user_func_array ($this->fn, $result);
} }
} }
/** /**
* Композиция функций * Композиция функций
*/ */
class compose { class compose {
/** @var array<callable> */
protected $fns; protected $fns;
/**
* @param array<callable> $list
*/
function __construct($list) { function __construct($list) {
$this->fns = array_reverse($list); $this->fns = array_reverse($list);
} }
/** function apply () {
* Применение функций $params = func_get_args ();
* @param mixed ...$params
* @return mixed
*/
function apply (...$params) {
$result = call_user_func_array($this->fns[0], $params); $result = call_user_func_array($this->fns[0], $params);
$count = count($this->fns); $count = count($this->fns);
for ($i = 1; $i < $count; $i++) { for ($i = 1; $i < $count; $i++) {
@ -121,53 +90,48 @@ class compose {
class Functions { class Functions {
/** static function partial($_rest) {
* Частичное применение функции $closure = new partial(func_get_args());
* @param mixed ...$args
* @return mixed
*/
static function partial(...$args) {
$closure = new partial($args);
return [$closure, 'apply']; return [$closure, 'apply'];
} }
/** /**
* Композиция функций * Композиция функций
* @param mixed ...$args * @param array $_rest
* @return mixed * @return mixed
*/ */
static function compose(...$args) { static function compose($_rest) {
$closure = new compose($args); $closure = new compose(func_get_args());
return [$closure, 'apply']; return [$closure, 'apply'];
} }
/** /**
* Карирование справа * Карирование справа
* @param mixed ...$args *
* @return mixed * @return mixed
*/ */
static function rcurry(...$args) { static function rcurry($_rest) {
$closure = new right($args); $closure = new right(func_get_args ());
return [$closure, 'apply']; return [$closure, 'apply'];
} }
/** /**
* Карирование слева * Карирование слева
* @param mixed ...$args *
* @return mixed * @return mixed
*/ */
static function lcurry(...$args) { static function lcurry($_rest) {
$closure = new left($args); $closure = new left(func_get_args ());
return [$closure, 'apply']; return [$closure, 'apply'];
} }
/** /**
* Разделение массива на два по условию * Разделение массива на два по условию
* @param mixed $pred Условие по которому разделяется массив * @param mixed $pred Условие по которому разделяется массив
* @param array $lst * @param array $lst
* *
* @return mixed * @return mixed
*/ */
static function partition($pred, $lst) { static function partition($pred, $lst) {
$left = []; $left = [];
@ -183,33 +147,25 @@ class Functions {
} }
/** /**
* @deprecated * @param array $value
* @param array<string, mixed> $value * @param string $name
* @param string $name
* *
* @return mixed * @return mixed
*/ */
static function __key($value, $name) { static function __key($value, $name) {
return $value[$name]; return $value[$name];
} }
/**
* @deprecated
* @param mixed $value
*
* @return mixed
*/
static function identity($value) { static function identity($value) {
return $value; return $value;
} }
/** /**
* @deprecated use fn and <=> operator
* @param array $a * @param array $a
* @param array $b * @param array $b
* @param string|int $key * @param $key
* *
* @return int * @return int
*/ */
static function __cmp($a, $b, $key) { static function __cmp($a, $b, $key) {
if ($a[$key] == $b[$key]) { if ($a[$key] == $b[$key]) {
@ -217,75 +173,75 @@ class Functions {
} }
return ($a[$key] > $b[$key]) ? -1 : 1; return ($a[$key] > $b[$key]) ? -1 : 1;
} }
/**
* @deprecated use fn and <=> operator
* @param array $a
* @param array $b
* @param string|int $key
*
* @return int
*/
static function __cmp_less($a, $b, $key) { static function __cmp_less($a, $b, $key) {
if ($a[$key] == $b[$key]) { if ($a[$key] == $b[$key]) {
return 0; return 0;
} }
return ($a[$key] < $b[$key]) ? -1 : 1; return ($a[$key] < $b[$key]) ? -1 : 1;
} }
/** // Сравнение по ключу массиве
* @param string ...$args static function __index($n, $key, $row) {
* @return string return ($row[$key] == $n);
*/ }
static function concat(...$args) {
static function __div($x, $y) {
return $x / $y;
}
static function __self($name, $o) {
return call_user_func([$o, $name]);
}
static function concat(/* $args ...*/) {
$args = func_get_args();
return implode("", $args); return implode("", $args);
} }
/**
* @param mixed $x
* @return bool
*/
static function __empty($x) { static function __empty($x) {
return empty($x); return empty($x);
} }
// Отрицание
static function __not($x) {
return !$x;
}
// Не равно
static function __neq($x, $y) {
return $x != $y;
}
// Равно
static function __eq($x, $y) {
return $x == $y;
}
/** /**
* Извлекает из многомерого массива значения с определенным ключом * Извлекает из многомерого массива значения с определенным ключом
* @example key_values('a', array(1 => array('a' => 1, 'b' => 2))) => array(1) * @example key_values('a', array(1 => array('a' => 1, 'b' => 2))) => array(1)
* *
* @param string $key
* @param list<array>|\ArrayIterator<int, array> $array
* @return mixed * @return mixed
*/ */
static function key_values($key, $array) { static function key_values($key, $array/*: array|ArrayIterator*/) {
$result = []; $result = [];
foreach($array as $item) { foreach($array as $item) {
$result[] = $item[$key]; $result[] = $item[$key];
} }
return $result; return $result;
} }
/** static function key_values_object($key, $array/*: array|ArrayIterator*/) {
* @param string $key
* @param array<object>|\ArrayIterator<int, object> $array
* @return array<mixed>
*/
static function key_values_object($key, $array) {
$result = []; $result = [];
foreach($array as $item) { foreach($array as $item) {
$result[] = $item->{$key}; $result[] = $item->{$key};
} }
return $result; return $result;
} }
/**
* @param string $key
* @param string $value
* @param array<array<string, mixed>>|\ArrayIterator<int, array> $array
* @return array<string, mixed>
*/
static function assoc_key_values($key, $value, $array) { static function assoc_key_values($key, $value, $array) {
$result = []; $result = [];
foreach ($array as $item) { foreach ($array as $item) {
@ -293,12 +249,7 @@ class Functions {
} }
return $result; return $result;
} }
/**
* @param string $key
* @param array<array<string, mixed>>|\ArrayIterator<int, array> $array
* @return array<string, mixed>
*/
static function assoc_key($key, $array) { static function assoc_key($key, $array) {
$result = []; $result = [];
foreach ($array as $item) { foreach ($array as $item) {
@ -306,44 +257,24 @@ class Functions {
} }
return $result; return $result;
} }
/** static function _get($key, $value/*: any*/, $array/*: array*/) {
* Возвращает значение по ключу
* @param string $key
* @param mixed $value
* @param array $array
* @return mixed
*/
static function _get($key, $value, $array) {
foreach ($array as $item) { foreach ($array as $item) {
if ($item[$key] == $value) { if ($item[$key] == $value) return $item;
return $item;
}
} }
return null; return null;
} }
/**
* Возвращает ключ по значению
* @param string $key
* @param mixed $value
* @param array $array
* @return mixed
*/
static function _get_key($key, $value, $array) { static function _get_key($key, $value, $array) {
foreach ($array as $name => $item) { foreach ($array as $name => $item) {
if ($item[$key] == $value) { if ($item[$key] == $value) return $name;
return $name;
}
} }
return null; return null;
} }
/** /**
* Логическа операция && ко всем элементам массива * Логическа операция && ко всем элементам массива
* @param array<mixed> $array Массив
* @param callable $callback Функция
* @return bool * @return bool
*/ */
static function every(array $array, $callback) { static function every(array $array, $callback) {
@ -354,14 +285,17 @@ class Functions {
} }
return true; return true;
} }
/** /**
* Логическа операция || ко всем элементам массива * Логическа операция || ко всем элементам массива
* @param array<mixed> $array Массив * @param array $array
* @param callable $callback Функция * @param mixed $callback
*
* @return mixed * @return mixed
*/ */
static function some(array $array, callable $callback) { static function some(array $array, $callback) {
assert(is_callable($callback));
foreach ($array as $key => $value) { foreach ($array as $key => $value) {
if (call_user_func($callback, $value) === true) { if (call_user_func($callback, $value) === true) {
return $key; return $key;
@ -369,15 +303,10 @@ class Functions {
} }
return false; return false;
} }
/** static function span($length, array $array) {
* Разбивает массив на массивы определенной длины assert(is_int($length));
* @template T
* @param int $length Длина массива
* @param T[] $array Массив
* @return T[][]
*/
static function span(int $length, array $array) {
$result = []; $result = [];
$count = count($array); $count = count($array);
for($i = 0; $i < $count; $i += $length) { for($i = 0; $i < $count; $i += $length) {
@ -385,70 +314,54 @@ class Functions {
} }
return $result; return $result;
} }
/** static function array_ref($data, $n) {
* Возвращает значение массива
* @param array $data Массив
* @param string|int $n Ключ
* @return mixed
*/
static function array_ref(array $data, string|int $n) {
return $data[$n]; return $data[$n];
} }
/** static function call() {
* Вызывает функцию с аргументами $args = func_get_args();
* @param mixed ...$args Аргументы
* @return mixed
*/
static function call(...$args) {
$name = array_shift($args); $name = array_shift($args);
return call_user_func_array($name, $args); return call_user_func_array($name, $args);
} }
/** /**
* Поиск элемента в массиве * Поиск элемента в массиве
* @param callable $cb сравнение с элементом массива * @param mixed $cb сравнение с элементом массива
* @param array $hs массив в котором ищется значение * @param array $hs массив в котором ищется значение
* @param bool $strict
* *
* @return int|string|null ключ найденого элемента в массиве * @return int|string|null ключ найденого элемента в массиве
*/ */
static function array_usearch($cb, array $hs, $strict = false) { static function array_usearch($cb, array $hs, $strict = false) {
foreach($hs as $key => $value) { foreach($hs as $key => $value) {
if (call_user_func_array($cb, [$value, $key, $strict])) { if (call_user_func_array($cb, [$value, $key, $strict])) return $key;
return $key;
}
} }
return null; return null;
} }
/** /**
* Выбирает все сроки из таблицы с уникальными значениями ключа * Выбирает все сроки из таблицы с уникальными значениями ключа
* @example
* key_unique_values ('name', array (array ('name' => 1), array ('name' => 2), array ('name' => 1)))
* => array (1, 2)
*
* @param string $name Имя ключа * @param string $name Имя ключа
* @param array $table Двухмерный массив * @param array $table Двухмерный массив
* @return array Массив с уникальными значениями ключа * @example
* key_unique_values ('name', array (array ('name' => 1), array ('name' => 2), array ('name' => 1)))
=> array (1, 2)
* @end example
*/ */
static function key_unique_values ($name, $table) { static function key_unique_values ($name, $table) {
// Ищем уникальные значения для заданного ключа // Ищем уникальные значения для заданного ключа
$keys = []; $keys = [];
foreach ($table as $row) { foreach ($table as $row) {
if (!in_array ($row[$name], $keys)) { if (!in_array ($row[$name], $keys))
$keys[] = $row[$name]; $keys[] = $row[$name];
}
} }
return $keys; return $keys;
} }
/** /**
* Сортировка двумерного массива по заданному ключу * Сортировка двумерного массива по заданному ключу
* @param array $array Массив * @param array $array Массив
* @param string $key Имя ключа по значению которого будет идти сравнение * @param string $key Имя ключа по значению которого будет идти сравнение
* @param callable $fn Функция сравнения
* @return array Отсортированный массив * @return array Отсортированный массив
*/ */
static function sortOn($array, $key, $fn = '\\ctiso\\Functions::__cmp') { static function sortOn($array, $key, $fn = '\\ctiso\\Functions::__cmp') {
@ -458,18 +371,16 @@ class Functions {
} }
/** /**
* Преобразует ключи элементов для многомерного массива * Преобразует ключи элементов для многомерного массива
* @param string $key_name Имя ключа
* @param array $array Многомерный массив
* @return mixed * @return mixed
*/ */
static function hash_key ($key_name, $array) { static function hash_key ($key_name,$array/*: array */) {
$result = []; $result = [];
foreach($array as $value) { foreach($array as $value) {
$result[$value[$key_name]] = $value; $result[$value[$key_name]] = $value;
} }
return $result; return $result;
} }
} }

View file

@ -4,19 +4,18 @@
* Неверный запрос * Неверный запрос
*/ */
namespace ctiso; namespace ctiso;
use Exception,
ArrayAccess,
use ctiso\Collection; ctiso\Collection,
use ctiso\Session; ctiso\Session;
/** /**
* @template T=mixed * @template T
*/ */
class HttpRequest extends Collection class HttpRequest extends Collection
{ {
/** @var Session */
public $_session;
public $_session;
/** /**
* Constructor * Constructor
* Stores "request data" in GPC order. * Stores "request data" in GPC order.
@ -42,51 +41,21 @@ class HttpRequest extends Collection
parent::set('files', $data); parent::set('files', $data);
} }
/**
* @param string $key
* @return Collection
*/
function _get($key) function _get($key)
{ {
return parent::get($key); return parent::get($key);
} }
/** /**
* @param string $key * @param T $key
* @param mixed $default * @return mixed
* @return null|string|array
*/ */
function get($key, $default = null) function get($key, $default = null)
{ {
return parent::get('data')->get($key, $default); return parent::get('data')->get($key, $default);
} }
function getString(string $key, string $default = ''): string function session(Session $value = null)
{
return parent::get('data')->getString($key, $default);
}
function getInt(string $key, int $default = 0): int
{
return parent::get('data')->getInt($key, $default);
}
function getNat(string $key, int $default = 1): int
{
return parent::get('data')->getNat($key, $default);
}
function getBool(string $key, bool $default = false): bool
{
return parent::get('data')->getBool($key, $default);
}
function getArray(string $key, array $default = []): array
{
return parent::get('data')->getArray($key, $default);
}
function session(?Session $value = null): ?Session
{ {
if ($value) { if ($value) {
$this->_session = $value; $this->_session = $value;
@ -94,25 +63,19 @@ class HttpRequest extends Collection
return $this->_session; return $this->_session;
} }
function set(string $key, mixed $value): void function set($key, $value/*: any*/)
{ {
parent::get('data')->set($key, $value); parent::get('data')->set($key, $value);
} }
/** function export($key = 'data')
* @param string $key
* @return array<mixed>
*/
function export(string $key = 'data')
{ {
return parent::get($key)->export(); return parent::get($key)->export();
} }
function clear(): void function clear()
{ {
/** @var Collection */ return parent::get('data')->clear();
$collection = parent::get('data');
$collection->clear();
} }
/** /**
@ -122,7 +85,7 @@ class HttpRequest extends Collection
* @param string $key * @param string $key
* @return mixed * @return mixed
*/ */
public function getRawData(string $var, $key) public function getRawData($var, $key)
{ {
$data = parent::get(strtolower($var)); $data = parent::get(strtolower($var));
if ($data) { if ($data) {
@ -131,12 +94,6 @@ class HttpRequest extends Collection
return null; return null;
} }
/**
* @param string $var
* @param string $key
* @param mixed $val
* @return mixed
*/
public function setRawData($var, $key, $val) public function setRawData($var, $key, $val)
{ {
$data = parent::get(strtolower($var)); $data = parent::get(strtolower($var));
@ -145,34 +102,28 @@ class HttpRequest extends Collection
} }
} }
/** public function setAction($name)
* @param string $name
*/
public function setAction($name): void
{ {
$this->setRawData('get', 'action', $name); $this->setRawData('get', 'action', $name);
} }
public function getAction(): string public function getAction()
{ {
$result = $this->getRawData('get', 'action'); $result = $this->getRawData('get', 'action');
return ($result) ? $result : 'index'; return ($result) ? $result : 'index';
} }
public function isAjax(): bool public function isAjax()
{ {
return isset($_SERVER['HTTP_X_REQUESTED_WITH']) && ($_SERVER['HTTP_X_REQUESTED_WITH'] == 'XMLHttpRequest'); return isset($_SERVER['HTTP_X_REQUESTED_WITH']) && ($_SERVER['HTTP_X_REQUESTED_WITH'] == 'XMLHttpRequest');
} }
/** public function redirect($url) {
* @param string $url
*/
public function redirect($url): void {
header('location: ' . $url); header('location: ' . $url);
exit(); exit();
} }
static function getProtocol(): string { static function getProtocol() {
return (!empty($_SERVER['HTTPS']) && $_SERVER['HTTPS'] !== 'off' || $_SERVER['SERVER_PORT'] == 443) ? "https://" : "http://"; return (!empty($_SERVER['HTTPS']) && $_SERVER['HTTPS'] !== 'off' || $_SERVER['SERVER_PORT'] == 443) ? "https://" : "http://";
} }
} }

View file

@ -9,9 +9,6 @@ use ctiso\Filter\Filter,
class Blank extends Filter class Blank extends Filter
{ {
/**
* @return mixed
*/
function execute(HttpRequest $request) function execute(HttpRequest $request)
{ {
$text = $this->processor->execute($request); $text = $this->processor->execute($request);

View file

@ -5,44 +5,37 @@
* Выбор оформления страницы осуществляется если было совпадение с каким либо условием * Выбор оформления страницы осуществляется если было совпадение с каким либо условием
*/ */
namespace ctiso\Layout; namespace ctiso\Layout;
use ctiso\Filter\Filter,
use ctiso\Filter\Filter; ctiso\Functions,
use ctiso\HttpRequest; ctiso\HttpRequest;
class Manager extends Filter class Manager extends Filter
{ {
/** // Массив условий с их макетами
* Массив условий с их макетами protected $condition = array();
* @var list<array{callable, Filter}>
*/
protected $condition = [];
/** /**
* Функция которая добавляет условие для проверки параметров $_GET * Функция которая добавляет условие для проверки параметров $_GET
* @param array|true $get Ассоциативный массив ключей и значений для $_GET * @param $get array() | true Ассоциативный массив ключей и значений для $_GET
* @param Filter $layout Макет *
* @example
* addConditionGet(array('module' => 'personal'), 'personal')
* addConditionGet(array('module' => 'login'), 'login')
*/ */
public function addConditionGet($get, Filter $layout): void public function addConditionGet($get, Filter $layout)
{ {
$this->addCondition(fn(HttpRequest $request) => $this->checkGet($request, $get), $layout); $this->addCondition(Functions::rcurry([$this, 'checkGet'], $get), $layout);
} }
/** /**
* Условие для аякс запросов. Тоже самое что и addConditionGet но еще проверяется является ли запрос ajax * Условие для аякс запросов. Тоже самое что и addConditionGet но еще проверяется является ли запрос ajax
* @param array|true $get Ассоциативный массив ключей и значений для $_GET
* @param Filter $layout Макет
*/ */
public function addConditionXHR($get, Filter $layout): void public function addConditionXHR($get, Filter $layout)
{ {
$this->addCondition(fn(HttpRequest $request) => $this->checkXHR($request, $get), $layout); $this->addCondition(Functions::rcurry([$this, 'checkXHR'], $get), $layout);
} }
/** public function checkGet($request/*: HttpRequest*/, $get)
* @param HttpRequest $request
* @param array|true $get
* @return bool
*/
public function checkGet($request, $get)
{ {
if (is_array($get)) { if (is_array($get)) {
foreach ($get as $key => $value) { foreach ($get as $key => $value) {
@ -54,44 +47,37 @@ class Manager extends Filter
return true; return true;
} }
/** public function checkXHR($request/*: HttpRequest*/, $get)
* @param HttpRequest $request
* @param array|true $get
* @return bool
*/
public function checkXHR($request, $get): bool
{ {
return $request->isAjax() && $this->checkGet($request, $get); return $request->isAjax() && $this->checkGet($request, $get);
} }
/** /**
* Добавляет условие в общем виде * Добавляет условие в общем виде
* @param callable $get Функция * @parma $get function(HttpRequest) Функция
* @param Filter $layout Макет * @parma $layout Layout Макет
*/ */
public function addCondition($get, Filter $layout): void public function addCondition($get, Filter $layout)
{ {
$this->condition [] = [$get, $layout]; $this->condition [] = [$get, $layout];
} }
/** /**
* Выбирает и применяет макет для страницы * Выбирает и применяет макет для страницы
* @return mixed
*/ */
public function execute(HttpRequest $request): mixed public function execute(HttpRequest $request)
{ {
foreach ($this->condition as $condition) { foreach ($this->condition as $condition) {
if (call_user_func($condition[0], $request)) { if (call_user_func($condition[0], $request)) {
$layout = $condition[1]; $layout = $condition[1];
$view = $layout->execute($request); $view = $layout->execute($request);
if (is_object($view)) { if (is_object($view)) {
return $view->execute(); return $view->render();
} else { } else {
return $view; return $view;
} }
} }
} }
return '';
} }
} }

View file

@ -4,39 +4,26 @@
* Класс для работы с почтой * Класс для работы с почтой
* http://en.wikipedia.org/wiki/MIME * http://en.wikipedia.org/wiki/MIME
*/ */
namespace ctiso; namespace ctiso;
use ctiso\Path, use ctiso\Path,
Exception; Exception;
class Mail class Mail
{ {
/** @var string */
public $_from; public $_from;
/** @var string */
public $_to; public $_to;
/** @var string */
public $_subject; public $_subject;
/** @var string */
public $content; public $content;
/** @var string */
public $copy; public $copy;
/** @var string */ private $encoding;
private $encoding;
/** @var string */
private $_notify = null; private $_notify = null;
/** @var array */ protected $attachment = array ();
protected $attachment = array();
/** @var string */
protected $uniqid; protected $uniqid;
/** @var string */
protected $type = "text/plain"; protected $type = "text/plain";
function __construct() function __construct() {
{
$this->setEncoding("UTF-8"); $this->setEncoding("UTF-8");
$this->uniqid = strtoupper(uniqid((string)time())); // Идентефикатор разделителя $this->uniqid = strtoupper(uniqid((string)time())); // Идентефикатор разделителя
} }
@ -44,35 +31,32 @@ class Mail
/** /**
* Установка отправителя * Установка отправителя
*/ */
function from(string $name): void function from($name)
{ {
// filter_var($name, FILTER_VALIDATE_EMAIL);
$this->_from = $name; $this->_from = $name;
} }
/** /**
* Установка получателя * Установка получателя
*/ */
function to(string $name): void function to($name) // recipient
{ {
$this->_to = $name; $this->_to = $name;
} }
/** function replyTo($name) // recipient
* @param string $name {
*/ }
function replyTo($name): void
{}
/** /**
* Установка получателей копии * Установка получателей копии
*/ */
function copy(string $name): void function copy($name) // recipient cc
{ {
$this->copy = $name; $this->copy = $name;
} }
function notify(string $notify): void function notify($notify)
{ {
$this->_notify = $notify; $this->_notify = $notify;
} }
@ -80,70 +64,59 @@ class Mail
/** /**
* Тема письма * Тема письма
*/ */
function subject(string $subject): void function subject($subject)
{ {
$this->_subject = $subject; $this->_subject = $subject;
} }
/** /**
* Текст письма * Текст письма
*/ */
function setContent(string $text): void function setContent($text)
{ {
$this->content = $text; $this->content = $text;
} }
/** /**
* Кодировка текста в письме * Кодировка текста в письме
*/ */
function setEncoding(string $encoding): void function setEncoding($encoding)
{ {
$this->encoding = $encoding; $this->encoding = $encoding;
} }
/** /**
* Добавление вложения из файла * Добавление вложения из файла
* @param string $filename
* @param string|false $name
*/ */
function addAttachment(string $filename, $name = false): void function addAttachment($filename, $name = false)
{ {
if (file_exists($filename)) { assert(is_string($filename));
if(file_exists($filename)) { // assert ??
$file = fopen($filename, "rb"); $file = fopen($filename, "rb");
if (is_resource($file)) { if (is_resource($file)) {
$size = filesize($filename); $data = fread($file, filesize($filename));
if ($size !== false && $size > 0) { $this->attachment [] = ($name) ? [$data, $name] : [$data, basename($filename)];
$data = fread($file, $size);
$this->attachment[] = ($name) ? [$data, $name] : [$data, basename($filename)];
}
} }
} }
} }
/** function setType($type)
* Установка типа содержимого
* @param string $type
*/
function setType($type): void
{ {
$this->type = $type; $this->type = $type;
} }
/** /**
* Добавление вложения из строки с указанием имени файла * Добавление вложения из строки с указанием имени файла
* @param string $data
* @param string $name
*/ */
function addAttachmentRaw($data, string $name): void function addAttachmentRaw($data, $name)
{ {
$this->attachment[] = [$data, $name]; assert(is_string($name));
$this->attachment [] = [$data, $name];
} }
/** function quote($var, $val)
* @param string $var
* @param string $val
*/
function quote($var, $val): string
{ {
return ";" . PHP_EOL . "\t" . $var . "=\"" . $val . "\""; return ";" . PHP_EOL . "\t" . $var . "=\"" . $val . "\"";
} }
@ -151,40 +124,36 @@ class Mail
/** /**
* Общий формат тегов MIME * Общий формат тегов MIME
* @see http://tools.ietf.org/html/rfc2045 * @see http://tools.ietf.org/html/rfc2045
*
* @param string $name
* @param string $value
* @param array $args
*/ */
function mimeTag($name, $value, array $args = []): string function mimeTag($name, $value, array $args = [])
{ {
assert(is_string($name)); assert (is_string($name));
assert(is_string($value)); assert (is_string($value));
return $name . ": " . $value . implode("", array_map([$this, 'quote'], array_keys($args), array_values($args))) . PHP_EOL; return $name . ": " . $value . implode("", array_map([$this, 'quote'], array_keys($args), array_values($args))) . PHP_EOL;
} }
/** /**
* *
* @see http://tools.ietf.org/html/rfc2047 * @see http://tools.ietf.org/html/rfc2047
*/ */
function encodedWord(string $text, string $encoding = 'B'): string function encodedWord($text, $encoding = 'B')
{ {
return "=?{$this->encoding}?$encoding?" . base64_encode($text) . "?="; return "=?{$this->encoding}?$encoding?".base64_encode($text)."?=";
} }
/** /**
* Тело сообщения * Тело сообщения
*/ */
function getMessage(): string function getMessage()
{ {
$message = "--" . $this->uniqid . PHP_EOL; $message = "--".$this->uniqid . PHP_EOL;
$message .= $this->mimeTag("Content-Type", $this->type, ['charset' => $this->encoding]); $message .= $this->mimeTag("Content-Type", $this->type, ['charset' => $this->encoding]);
$message .= $this->mimeTag("Content-Transfer-Encoding", "8bit"); $message .= $this->mimeTag("Content-Transfer-Encoding", "8bit");
$message .= PHP_EOL . $this->content . PHP_EOL . PHP_EOL; $message .= PHP_EOL . $this->content . PHP_EOL . PHP_EOL;
/* /*
* Вложения * Вложения
* http://tools.ietf.org/html/rfc2046#section-5.1.3 * http://tools.ietf.org/html/rfc2046#section-5.1.3
*/ */
foreach ($this->attachment as $value) { foreach ($this->attachment as $value) {
@ -202,7 +171,7 @@ class Mail
/** /**
* Заголовок сообщения * Заголовок сообщения
*/ */
function getHeader(): string function getHeader()
{ {
$head = $this->mimeTag("MIME-Version", "1.0"); $head = $this->mimeTag("MIME-Version", "1.0");
$head .= $this->mimeTag("From", $this->_from); $head .= $this->mimeTag("From", $this->_from);
@ -219,7 +188,7 @@ class Mail
return $head; return $head;
} }
function getSubject(): string function getSubject()
{ {
return $this->encodedWord($this->_subject); return $this->encodedWord($this->_subject);
} }
@ -227,28 +196,27 @@ class Mail
/** /**
* Вывод строки для сохранения в формате .eml * Вывод строки для сохранения в формате .eml
*/ */
function eml(): string function eml()
{ {
return "To: " . $this->_to . PHP_EOL . "Subject: {$this->getSubject()}" . PHP_EOL . $this->getHeader() . $this->getMessage(); return "To: " . $this->_to . PHP_EOL . "Subject: {$this->getSubject()}" . PHP_EOL . $this->getHeader() . $this->getMessage();
} }
/** /**
* Отправка почты * Отправка почты
*/ */
function send(): bool function send()
{ {
$result = mail($this->_to, $this->getSubject(), $this->getMessage(), $this->getHeader()); $result = mail($this->_to, $this->getSubject(), $this->getMessage(), $this->getHeader());
if (! $result) { if(! $result) {
file_put_contents(Path::resolveFile("send.eml"), $this->eml()); file_put_contents(Path::resolveFile("send.eml"), $this->eml());
throw new Exception('Невозможно отправить почту'); throw new Exception('Невозможно отправить почту');
} }
return $result; return $result;
} }
function clear(): void function clear() {
{
foreach ($this->attachment as $key => &$value) { foreach ($this->attachment as $key => &$value) {
unset($this->attachment[$key]); unset($this->attachment[$key]);
} }
$this->attachment = []; $this->attachment = [];
} }

View file

@ -5,11 +5,8 @@ use PHPMailer\PHPMailer\PHPMailer;
class MailAlt class MailAlt
{ {
/** @var PHPMailer */
public $mailer; public $mailer;
/** @var string */
public $_notify; public $_notify;
/** @var string */
public $encoding; public $encoding;
function __construct() { function __construct() {
@ -20,65 +17,62 @@ class MailAlt
/** /**
* Установка отправителя * Установка отправителя
*/ */
function from(string $name): void function from($name)
{ {
$this->mailer->setFrom($name); $this->mailer->setFrom($name);
} }
/** /**
* Установка получателя * Установка получателя
*/ */
function to(string $name): void // recipient function to($name) // recipient
{ {
$this->mailer->addAddress($name); $this->mailer->addAddress($name);
} }
function replyTo(string $name): void // recipient function replyTo($name) // recipient
{ {
$this->mailer->addReplyTo($name); $this->mailer->AddReplyTo($name);
} }
/** /**
* Установка получателей копии * Установка получателей копии
* @param string $name
*/ */
function copy(string $name): void // recipient cc function copy($name) // recipient cc
{ {
$this->mailer->addCC($name); $this->mailer->addCC($name);
} }
function notify(string $notify): void function notify($notify)
{ {
$this->_notify = $notify; $this->_notify = $notify;
} }
/** /**
* Тема письма * Тема письма
* @param string $subject
*/ */
function subject(string $subject): void function subject($subject/*: string*/)
{ {
$this->mailer->Subject = $subject; $this->mailer->Subject = $subject;
} }
/** /**
* Текст письма * Текст письма
* @param string $text
*/ */
function setContent(string $text): void function setContent($text)
{ {
$this->mailer->Body = $text; $this->mailer->Body = $text;
} }
function setType(string $text): void function setType($text)
{ {
$this->mailer->isHTML($text == 'text/html'); $this->mailer->isHTML($text == 'text/html');
} }
/** /**
* Кодировка текста в письме * Кодировка текста в письме
*/ */
function setEncoding(string $encoding): void function setEncoding($encoding)
{ {
$this->encoding = $encoding; $this->encoding = $encoding;
} }
@ -86,20 +80,20 @@ class MailAlt
/** /**
* Добавление вложения из файла * Добавление вложения из файла
*/ */
function addAttachment(string $filename, ?string $name = null): void function addAttachment($filename, $name = null)
{ {
$this->mailer->addAttachment($filename, $name); $this->mailer->addAttachment($filename, $name);
} }
/** /**
* Отправка почты * Отправка почты
*/ */
function send(): bool function send()
{ {
return $this->mailer->send(); return $this->mailer->send();
} }
function eml(): string { function eml() {
return $this->mailer->getSentMIMEMessage(); return $this->mailer->getSentMIMEMessage();
} }
} }

View file

@ -2,9 +2,6 @@
namespace ctiso\Model; namespace ctiso\Model;
/**
* @property \ctiso\Database $db
*/
abstract class BaseMapper { abstract class BaseMapper {
function getAllAsOptions(): array { function getAllAsOptions(): array {
return []; return [];

View file

@ -1,21 +1,17 @@
<?php <?php
namespace ctiso\Model; namespace ctiso\Model;
use ctiso\Registry,
use ctiso\Registry; ctiso\Database,
use ctiso\Database; ctiso\Role\User;
use ctiso\Role\User;
class Factory class Factory
{ {
/** @var Database */
public $db; public $db;
/** @var ?Registry */
public $config; public $config;
/** @var ?User */
public $user; public $user;
public function __construct(Database $db, ?Registry $config = null, ?User $user = null) public function __construct(Database $db, Registry $config = null, User $user = null)
{ {
$this->db = $db; $this->db = $db;
$this->config = $config; $this->config = $config;

View file

@ -4,27 +4,24 @@ namespace ctiso;
class Numbers class Numbers
{ {
static function roman(float $i): float static function roman($i)
{ {
return 0; return 0;
} }
static function decimal(float $i): float static function decimal($i)
{ {
return $i; return $i;
} }
/** static function prefix($prefix, array $array, $key = false)
* @param array $array
* @return array
*/
static function prefix(callable $prefix, array $array)
{ {
$result = []; $result = [];
$count = count($array); $count = count($array);
for ($i = 0; $i < $count; $i++) { for ($i = 0; $i < $count; $i++) {
$result [] = call_user_func($prefix, $i + 1) . '. ' . $array[$i]; $result [] = call_user_func($prefix, $i + 1) . '. ' . $array[$i];
} }
return $result; return $result;
} }
} }

View file

@ -12,16 +12,14 @@ class Path
{ {
const SEPARATOR = "/"; const SEPARATOR = "/";
protected array $path = []; protected $path = array();
protected array $url = []; protected $url = array();
protected bool $absolute = false; protected $absolute = false;
/**
* @param string $path Путь (Тип указан в doccomments т.к откудато приходит null)
*/
public function __construct($path = '') public function __construct($path = '')
{ {
$this->url = parse_url($path) ?: []; //assert(is_string($path));
$this->url = parse_url($path ?? '');
if (isset($this->url['path'])) { if (isset($this->url['path'])) {
$path = $this->url['path']; $path = $this->url['path'];
@ -38,16 +36,16 @@ class Path
} }
} }
static function factory(string $path): Path { static function factory($path) {
return new Path($path); return new Path($path);
} }
public function getParts(): array public function getParts()
{ {
return $this->path; return $this->path;
} }
public static function normalize(string $pathName): string public static function normalize($pathName)
{ {
$path = new Path($pathName); $path = new Path($pathName);
return $path->__toString(); return $path->__toString();
@ -55,12 +53,12 @@ class Path
/** /**
* Базовое имя * Базовое имя
* @param string $path * @param $path
* @return string * @return mixed
*/ */
public static function basename($path) public static function basename($path)
{ {
$list = preg_split('#\\\\|/#s', $path) ?: ['']; $list = preg_split('#\\\\|/#s', $path);
return end($list); return end($list);
} }
@ -75,12 +73,6 @@ class Path
return pathinfo($fileName, PATHINFO_EXTENSION); return pathinfo($fileName, PATHINFO_EXTENSION);
} }
/**
* Проверяет расширение файла
* @param string $fileName Полное имя файла
* @param string|array $extension Расширение файла
* @return bool
*/
static function isType($fileName, $extension) static function isType($fileName, $extension)
{ {
if (is_array($extension)) { if (is_array($extension)) {
@ -92,11 +84,17 @@ class Path
/** /**
* Полное имя файла без расширения * Полное имя файла без расширения
*
* @param string $fileName Имя файла
*
* @return string
*/ */
static function skipExtension(string $fileName): string static function skipExtension($fileName)
{ {
assert(is_string($fileName));
$path = pathinfo($fileName); $path = pathinfo($fileName);
if (!isset($path['dirname']) || $path['dirname'] === ".") { if ($path['dirname'] === ".") {
return $path['filename']; return $path['filename'];
} else { } else {
return self::join($path['dirname'], $path['filename']); return self::join($path['dirname'], $path['filename']);
@ -107,10 +105,13 @@ class Path
* Возвращает имя файла без расширения * Возвращает имя файла без расширения
* *
* @param string $fileName Полное имя файла * @param string $fileName Полное имя файла
*
* @return string * @return string
*/ */
static function getFileName(string $fileName) static function getFileName($fileName)
{ {
assert(is_string($fileName));
return pathinfo($fileName, PATHINFO_FILENAME); return pathinfo($fileName, PATHINFO_FILENAME);
} }
@ -120,18 +121,20 @@ class Path
* Преобразует строку пути в массив * Преобразует строку пути в массив
* *
* @param string $path Путь * @param string $path Путь
* @return list<string> *
* @return array
*/ */
public static function listFromString(string $path): array public static function listFromString($path)
{ {
assert(is_string($path));
$list = preg_split('#\\\\|/#s', $path); $list = preg_split('#\\\\|/#s', $path);
return $list ?: [];
return $list;
} }
/** /**
* Преобразует относительный путь в абсолютный * Преобразует относительный путь в абсолютный
* @param array<string> $path Путь
* @return array<string>
*/ */
public static function optimize($path) // public static function optimize($path) //
{ {
@ -151,10 +154,8 @@ class Path
return $result; return $result;
} }
/** // Сравнение двух путей на равентство
* Сравнение двух путей на равентство public function equal($path/*: Path*/)
*/
public function equal(Path $path): bool
{ {
$count = count($this->path); $count = count($this->path);
if ($count == count($path->path)) { if ($count == count($path->path)) {
@ -168,29 +169,27 @@ class Path
return false; return false;
} }
/** public static function makeUrl($path)
* Преобразует путь в строку
* @param array{ host?: string, path?: string, query?: string, fragment?: string, scheme?: string, user?: string, pass?: string, port?: int} $path Путь
*/
public static function makeUrl($path): string
{ {
$slash = (isset($path['host']) && isset($path['path']) && (strlen($path['path']) > 0) && ($path['path'][0] != '/')) ? '/' : ''; $slash = (isset($path['host']) && (strlen($path['path']) > 0) && ($path['path'][0] != '/')) ? '/' : '';
$scheme = isset($path['scheme']) ? $path['scheme'] . ':/' : '';
$user = isset($path['user']) ? $path['user'] . (isset($path['pass']) ? ':' . $path['pass'] : '') . '@' : '';
$port = isset($path['port']) ? ':' . $path['port'] : ''; return (isset($path['scheme']) ? $path['scheme'] . ':/' : '')
$host = isset($path['host']) ? ('/' . $user . $path['host'] . $port) : ''; . (isset($path['host']) ? ('/'
. (isset($path['user']) ? $path['user'] . (isset($path['pass']) ? ':' . $path['pass'] : '') . '@' : '')
$query = isset($path['query']) ? '?' . $path['query'] : ''; . $path['host']
$fragment = isset($path['fragment']) ? '#' . $path['fragment'] : ''; . (isset($path['port']) ? ':' . $path['port'] : '')) : '')
. $slash
return $scheme . $host . $slash . ($path['path'] ?? '') . $query . $fragment; . $path['path']
. (isset($path['query']) ? '?' . $path['query'] : '')
. (isset($path['fragment']) ? '#' . $path['fragment'] : '');
} }
/** /**
* Преобразует путь в строку * Преобразует путь в строку
*
* @return string
*/ */
public function __toString(): string public function __toString()
{ {
$result = (($this->absolute) ? '/' : '') . implode(self::SEPARATOR, $this->path); $result = (($this->absolute) ? '/' : '') . implode(self::SEPARATOR, $this->path);
$this->url['path'] = $result; $this->url['path'] = $result;
@ -200,9 +199,11 @@ class Path
/** /**
* Проверяет является ли папка родительской для другой папки * Проверяет является ли папка родительской для другой папки
* *
* @param Path $path * @parma Path $path
*
* @return boolean
*/ */
public function isParent($path): bool public function isParent($path/*: Path*/)
{ {
if (isset($this->url['host']) && isset($path->url['host']) if (isset($this->url['host']) && isset($path->url['host'])
&& ($this->url['host'] != $path->url['host'])) return false; && ($this->url['host'] != $path->url['host'])) return false;
@ -219,7 +220,7 @@ class Path
return false; return false;
} }
public static function _isParent(string $path1, string $path2): bool public static function _isParent($path1, $path2)
{ {
$path = new Path($path1); $path = new Path($path1);
return $path->isParent(new Path($path2)); return $path->isParent(new Path($path2));
@ -229,6 +230,7 @@ class Path
* Находит путь относительно текущего путя * Находит путь относительно текущего путя
* *
* @param string $name Полный путь к файлу * @param string $name Полный путь к файлу
*
* @return string Относительный путь к файлу * @return string Относительный путь к файлу
*/ */
public function relPath($name) public function relPath($name)
@ -243,12 +245,7 @@ class Path
return $path->__toString(); return $path->__toString();
} }
/** // Вычисляет относительный путь в виде строки
* Вычисляет относительный путь в виде строки
* @param string $rpath Путь относительно которого вычисляется относительный путь
* @param string $lpath Путь к которому вычисляется относительный путь
* @return string Относительный путь
*/
static function relative($rpath, $lpath) { static function relative($rpath, $lpath) {
// Нужно проверять диск!! // Нужно проверять диск!!
$self = new Path($rpath); $self = new Path($rpath);
@ -274,10 +271,6 @@ class Path
return implode("/", $result); return implode("/", $result);
} }
/**
* @param string $path
* @return string
*/
public function append($path) public function append($path)
{ {
$base = $this->__toString(); $base = $this->__toString();
@ -287,10 +280,11 @@ class Path
/** /**
* Обьединяет строки в Path соединяя необходимым разделителем * Обьединяет строки в Path соединяя необходимым разделителем
* fixme не обрабатывает параметры урла, решение Path::join(SITE_WWW_PATH) . '?param=pampam' * fixme не обрабатывает параметры урла, решение Path::join(SITE_WWW_PATH) . '?param=pampam'
* @param string ...$args
* @return string * @return string
*/ */
static function fromJoin(...$args) { static function fromJoin($_rest) {
$args = func_get_args();
$result = []; $result = [];
$parts0 = new Path(array_shift($args)); $parts0 = new Path(array_shift($args));
$result [] = $parts0->getParts(); $result [] = $parts0->getParts();
@ -308,30 +302,29 @@ class Path
/** /**
* Обьединяет строки в строку пути соединяя необходимым разделителем * Обьединяет строки в строку пути соединяя необходимым разделителем
* fixme не обрабатывает параметры урла, решение Path::join(SITE_WWW_PATH) . '?param=pampam' * fixme не обрабатывает параметры урла, решение Path::join(SITE_WWW_PATH) . '?param=pampam'
* @param string ...$args
* @return string * @return string
*/ */
static function join(...$args) static function join($_rest)
{ {
$args = func_get_args();
$path = call_user_func_array([self::class, "fromJoin"], $args); $path = call_user_func_array([self::class, "fromJoin"], $args);
return self::makeUrl($path->url); return self::makeUrl($path->url);
} }
// Проверка структуры имени файла // Проверка структуры имени файла
static function checkName(string $name, string $extension): bool static function checkName($name, $extension)
{ {
return (strlen(pathinfo($name, PATHINFO_FILENAME)) > 0) && (pathinfo($name, PATHINFO_EXTENSION) == $extension); return (strlen(pathinfo($name, PATHINFO_FILENAME)) > 0) && (pathinfo($name, PATHINFO_EXTENSION) == $extension);
} }
static function isCharName(string $char): bool static function isCharName($char)
{ {
$ch = ord($char); $ch = ord($char);
return ((($ch >= ord('a')) && ($ch <= ord('z'))) || (strpos('-._', $char) !== false) || (($ch >= ord('0')) && ($ch <= ord('9')))); return ((($ch >= ord('a')) && ($ch <= ord('z'))) || (strpos('-._', $char) !== false) || (($ch >= ord('0')) && ($ch <= ord('9'))));
} }
// Проверка имени файла // Проверка имени файла
static function isName(string $name): bool static function isName($name) {
{
if (strlen(trim($name)) == 0) { if (strlen(trim($name)) == 0) {
return false; return false;
} }
@ -343,7 +336,7 @@ class Path
return true; return true;
} }
public function isAbsolute(): bool public function isAbsolute()
{ {
return $this->absolute; return $this->absolute;
} }
@ -352,6 +345,7 @@ class Path
* Подбирает новое временное имя для файла * Подбирает новое временное имя для файла
* *
* @param string $dst Предпологаемое имя файла * @param string $dst Предпологаемое имя файла
*
* @return string Новое имя файла * @return string Новое имя файла
*/ */
static function resolveFile($dst) static function resolveFile($dst)
@ -371,12 +365,12 @@ class Path
/** /**
* Список файлов в директории * Список файлов в директории
* *
* @param ?string[] $allow массив расширений для файлов * @param array $allow массив расширений для файлов
* @param string[] $ignore массив имен пааок которые не нужно обрабатывать * @param array $ignore массив имен пааок которые не нужно обрабатывать
* *
* @return string[] * @returnarray
*/ */
public function getContent(?array $allow = null, array $ignore = []) public function getContent($allow = null, $ignore = [])
{ {
$ignore = array_merge([".", ".."], $ignore); $ignore = array_merge([".", ".."], $ignore);
return self::fileList($this->__toString(), $allow, $ignore); return self::fileList($this->__toString(), $allow, $ignore);
@ -385,12 +379,12 @@ class Path
/** /**
* Обьединяет строки в путь соединяя необходимым разделителем * Обьединяет строки в путь соединяя необходимым разделителем
* *
* @param ?string[] $allow массив расширений разрешеных для файлов * @param array $allow массив расширений разрешеных для файлов
* @param string[] $ignore массив имен папок которые не нужно обрабатывать * @param array $ignore массив имен пааок которые не нужно обрабатывать
* *
* @return string[] * @return array
*/ */
function getContentRec(?array $allow = null, array $ignore = []) function getContentRec($allow = null, $ignore = [])
{ {
$result = []; $result = [];
$ignore = array_merge([".", ".."], $ignore); $ignore = array_merge([".", ".."], $ignore);
@ -398,16 +392,8 @@ class Path
return $result; return $result;
} }
/** // Использовать SPL ???
* Список файлов в директории protected static function fileList($base, &$allow, &$ignore)
*
* @param string $base Базовый путь
* @param ?string[] $allow массив расширений для файлов
* @param string[] $ignore массив имен папок которые не нужно обрабатывать
*
* @return string[]
*/
protected static function fileList(string $base, ?array &$allow, array &$ignore): array
{ {
if ($base == '') $base = '.'; if ($base == '') $base = '.';
$result = []; $result = [];
@ -432,7 +418,7 @@ class Path
return $result; return $result;
} }
protected static function fileListAll(array &$result, string $base, ?array &$allow, array &$ignore): void protected static function fileListAll(&$result, $base, &$allow, &$ignore)
{ {
$files = self::fileList($base, $allow, $ignore); $files = self::fileList($base, $allow, $ignore);
foreach ($files as $name) { foreach ($files as $name) {
@ -452,7 +438,7 @@ class Path
* *
* @return void * @return void
*/ */
static function prepare(string $dst, bool $filename = true) static function prepare($dst, $filename = true)
{ {
if ($filename) { if ($filename) {
$path_dst = pathinfo($dst, PATHINFO_DIRNAME); $path_dst = pathinfo($dst, PATHINFO_DIRNAME);
@ -473,7 +459,7 @@ class Path
* *
* @return string * @return string
*/ */
static function updateRelativePathOnFileMove(string $relativePath, string $srcFile, string $dstFile) { static function updateRelativePathOnFileMove($relativePath, $srcFile, $dstFile) {
$srcToDst = self::relative($srcFile, $dstFile); $srcToDst = self::relative($srcFile, $dstFile);
return self::normalize(self::join($srcToDst, $relativePath)); return self::normalize(self::join($srcToDst, $relativePath));
} }
@ -488,7 +474,7 @@ class Path
* *
* @return string * @return string
*/ */
static function updateRelativePathOnDirectoryMove(string $relativePath, string $fileDir, string $srcDir, string $dstDir) { static function updateRelativePathOnDirectoryMove($relativePath, $fileDir, $srcDir, $dstDir) {
$relativePath = self::normalize($relativePath); $relativePath = self::normalize($relativePath);
$fileDir = self::normalize($fileDir); $fileDir = self::normalize($fileDir);
$srcDir = self::normalize($srcDir); $srcDir = self::normalize($srcDir);

View file

@ -3,74 +3,51 @@
/** /**
* Преобразование типов !!! Пересмотреть использование классов!! * Преобразование типов !!! Пересмотреть использование классов!!
* Класс преобразования типа значения поля класса в тип поля таблицы * Класс преобразования типа значения поля класса в тип поля таблицы
* @package system
*/ */
namespace ctiso; namespace ctiso;
class Primitive { class Primitive {
/** // varchar
* @param mixed $value public static function to_varchar($value)
*/
public static function to_varchar($value): string
{ {
return ((string) $value); return ((string) $value);
} }
/**
* @param mixed $value
* @return mixed
*/
public static function from_varchar($value) public static function from_varchar($value)
{ {
return $value; return $value;
} }
/** // int
* @param mixed $value public static function to_bool($value)
*/
public static function to_bool($value): bool
{ {
return filter_var($value, FILTER_VALIDATE_BOOLEAN); return filter_var($value, FILTER_VALIDATE_BOOLEAN);//(int)((bool) $value);
} }
/** public static function from_bool($value)
* Преобразование значения в булевое значение
* @param string $value
* @return bool
*/
public static function from_bool($value): bool
{ {
return ((bool) $value); return ((bool) $value);
} }
/** // int
* Преобразование значения в целое число public static function to_int($value)
* @param string $value
* @return int
*/
public static function to_int($value): int
{ {
return ((int) $value); return ((int) $value);
} }
/** public static function from_int($value)
* @param mixed $value
*/
public static function from_int($value): string
{ {
return ((string) $value); return ((string) $value);
} }
/** // date
* Преобразование даты dd/mm/yy в unix timestamp public static function to_date($value)
* @param string $value
* @return int
*/
public static function to_date($value): int
{ {
$result = 0; $result = 0;
$tmp = explode("/", $value ?? '', 3); $tmp = explode("/", $value ?? '', 3);
if (count($tmp) != 3) { if (count($tmp) != 3) {
return $result; return $result;
} }
@ -81,39 +58,29 @@ class Primitive {
if ($month != 0 && $day != 0 && $year != 0) { if ($month != 0 && $day != 0 && $year != 0) {
if (checkdate($month, $day, $year)) { if (checkdate($month, $day, $year)) {
return mktime(0, 0, 0, $month, $day, $year) ?: 0; return mktime(0, 0, 0, $month, $day, $year);
} else { } else {
return 0; return 0;
} }
} }
return $result; return $result;
} }
/** public static function to_datetime($value)
* Преобразование даты ISO 8601 в unix timestamp
* @param string $value
* @return int
*/
public static function to_datetime($value): int
{ {
$result = 0; $result = 0;
$tmp = []; $tmp = [];
if (preg_match('/(\d+)-(\d+)-(\d+)T(\d+):(\d+)Z/', $value, $tmp)) { if (preg_match('/(\d+)-(\d+)-(\d+)T(\d+):(\d+)Z/', $value, $tmp)) {
if (checkdate((int)$tmp[2], (int)$tmp[3], (int)$tmp[1])) { if (checkdate((int)$tmp[2], (int)$tmp[3], (int)$tmp[1])) {
$result = mktime((int)$tmp[4], (int)$tmp[5], 0, (int)$tmp[2], (int)$tmp[3], (int)$tmp[1]) ?: 0; $result = mktime((int)$tmp[4], (int)$tmp[5], 0, (int)$tmp[2], (int)$tmp[3], (int)$tmp[1]);
} }
} }
return $result; return $result;
} }
/** public static function from_date($value)
* Преобразование даты в формат dd/mm/yyyy
* @param int $value
* @return string
*/
public static function from_date($value): string
{ {
if ($value > 0) { if ($value > 0) {
return date("d/m/Y", $value); return date("d/m/Y", $value);
@ -121,12 +88,7 @@ class Primitive {
return ''; return '';
} }
/** public static function from_datetime($value)
* Преобразование даты в формат ISO 8601
* @param int $value
* @return string
*/
public static function from_datetime($value): string
{ {
if ($value > 0) { if ($value > 0) {
return date("Y-m-d\TH:i\Z", $value); return date("Y-m-d\TH:i\Z", $value);
@ -135,45 +97,24 @@ class Primitive {
} }
/** // secure
* @deprecated
* @template T
* @param T $value
* @return T
*/
public static function to_secure($value) public static function to_secure($value)
{ {
// Значение приабразуется во время сохранения в базе данных // Значение приабразуется во время сохранения в базе данных
return $value; return $value;
} }
/**
* @deprecated
* @template T
* @param T $value
* @return T
*/
public static function from_secure($value) public static function from_secure($value)
{ {
return $value; return $value;
} }
/** // array
* Преобразование значения в массив public static function to_array($value)
* @param mixed $value
* @return array
*/
public static function to_array($value)
{ {
return (is_array($value)) ? $value : []; return (is_array($value)) ? $value : [];
} }
/**
* @deprecated
* @template T
* @param T $value
* @return T
*/
public static function from_array($value) public static function from_array($value)
{ {
return $value; return $value;

View file

@ -2,46 +2,28 @@
namespace ctiso; namespace ctiso;
/** if (!function_exists('str_getcsv')) {
* str_getcsv function str_getcsv($input, $delimiter = ",", $enclosure = '"', $escape = "\\") {
* @param string $input $fiveMBs = 1024;
* @param string $delimiter $fp = fopen("php://temp/maxmemory:$fiveMBs", 'r+');
* @param string $enclosure $data = '';
* @param string $escape if (is_resource($fp)) {
* @return array|false fputs($fp, $input);
*/ rewind($fp);
function str_getcsv($input, $delimiter = ",", $enclosure = '"', $escape = "\\") $data = fgetcsv($fp, 1000, $delimiter, $enclosure);
{ fclose($fp);
$fiveMBs = 1024; }
$fp = fopen("php://temp/maxmemory:$fiveMBs", 'r+'); return $data;
$data = []; }
if (is_resource($fp)) {
fputs($fp, $input);
rewind($fp);
$data = fgetcsv($fp, 1000, $delimiter, $enclosure);
fclose($fp);
}
return $data;
} }
function process_exists($pid) {
/**
* process_exists
* @param int $pid
* @return bool
*/
function process_exists($pid)
{
if (PHP_OS == 'WINNT') { if (PHP_OS == 'WINNT') {
$content = shell_exec("tasklist.exe /NH /FO CSV"); $processes = explode("\n", shell_exec("tasklist.exe /NH /FO CSV"));
if (!$content) { foreach($processes as $process) {
return false;
}
$processes = explode("\n", $content);
foreach ($processes as $process) {
if ($process != "") { if ($process != "") {
$csv = str_getcsv($process); $csv = str_getcsv($process);
if ($csv && $pid == $csv[1]) return true; if ($pid == $csv[1]) return true;
} }
} }
return false; return false;
@ -50,19 +32,13 @@ function process_exists($pid)
} }
} }
/** function create_single_proces($fpid, $fn) {
* create_single_proces
* @param string $fpid
* @param callable $fn
* @return int
*/
function create_single_process($fpid, $fn)
{
if (file_exists($fpid)) { if (file_exists($fpid)) {
if (process_exists((int)file_get_contents($fpid))) { print_r(realpath($fpid));
return 1; if (process_exists(file_get_contents($fpid))) {
return 1;
} }
} }
call_user_func($fn); call_user_func($fn);
return 0; return 0;
} }

View file

@ -5,58 +5,47 @@ use ctiso\File,
Exception; Exception;
class Registry { class Registry {
/** @var array<string, array{path: string, data: mixed}> */ public $namespace = [];
private array $namespace = []; public $data;
function importFile(string $namespace, ?string $filePath = null): void { function importFile($namespace, $filePath = null) {
$data = json_decode(File::getContents($filePath), true); $data = json_decode(File::getContents($filePath), true);
$data['_file'] = $filePath; $data['_file'] = $filePath;
$this->namespace[$namespace] = [ $this->namespace[$namespace] = [
'path' => $filePath, 'path' => $filePath,
'data' => $data 'data' => $data
]; ];
} }
function importArray(string $namespace, array $data = []): void { function importArray($namespace, $data = []) {
if (isset($this->namespace[$namespace])) { if (isset($this->namespace[$namespace])) {
$data = array_merge($this->namespace[$namespace]['data'], $data); $data = array_merge($this->namespace[$namespace]['data'], $data);
} }
$this->namespace[$namespace] = [ $this->namespace[$namespace] = [
'path' => null, 'path' => null,
'data' => $data 'data' => $data
]; ];
} }
/** public function get($ns, $key) {
* @param string $ns
* @param string $key
* @return mixed
* @throws Exception
*/
public function get(string $ns, string $key) {
if (isset($this->namespace[$ns]['data'][$key])) { if (isset($this->namespace[$ns]['data'][$key])) {
return $this->namespace[$ns]['data'][$key]; return $this->namespace[$ns]['data'][$key];
} }
throw new Exception('Unknown key ' . $ns . '::' . $key); throw new Exception('Unknown key ' . $ns . '::' . $key);
} }
/** public function getOpt($ns, $key) {
* @param string $ns
* @param string $key
* @return mixed|null
*/
public function getOpt(string $ns, string $key) {
if (isset($this->namespace[$ns]['data'][$key])) { if (isset($this->namespace[$ns]['data'][$key])) {
return $this->namespace[$ns]['data'][$key]; return $this->namespace[$ns]['data'][$key];
} }
return null; return null;
} }
public function has(string $ns, string $key): bool { public function has($ns, $key) {
return isset($this->namespace[$ns]['data'][$key]); return isset($this->namespace[$ns]['data'][$key]);
} }
function set(string $ns, string $key, mixed $value): void { function set($ns, $key, $value) {
$this->namespace[$ns]['data'][$key] = $value; $this->namespace[$ns]['data'][$key] = $value;
} }
} }

View file

@ -1,47 +1,41 @@
<?php <?php
namespace ctiso\Role; namespace ctiso\Role;
use ctiso\Database,
ctiso\Database\Statement;
use ctiso\Database; // Класс должен быть в библиотеке приложения
use ctiso\Database\Statement;
use ctiso\Database\PDOStatement;
// Класс должен быть в библиотеке приложения
class User implements UserInterface class User implements UserInterface
{ {
const LIFE_TIME = 1800; // = 30min * 60sec; const LIFE_TIME = 1800; // = 30min * 60sec;
public string $fullname; public $fullname;
public string $name; public $name;
/** @var string */
public $access; public $access;
public string $password; public $password;
/** @var int */
public $id; public $id;
public Database $db; public $db;
public array $groups; public $groups;
function __construct(Database $db, array $groups) { function __construct($db, $groups) {
$this->db = $db; $this->db = $db;
$this->groups = $groups; $this->groups = $groups;
} }
public function setDB(Database $db): void { public function setDB(Database $db) {
$this->db = $db; $this->db = $db;
} }
public function getName(): string { public function getName() {
return $this->name; return $this->name;
} }
/**
* @return bool
*/
function isLogged() { function isLogged() {
return \ctiso\Filter\Authorization::isLogged(); return \ctiso\Filter\Authorization::isLogged();
} }
public function getUserByQuery(Statement $stmt): ?PDOStatement
public function getUserByQuery(Statement $stmt)
{ {
$result = $stmt->executeQuery(); $result = $stmt->executeQuery();
if ($result->next()) { if ($result->next()) {
@ -50,38 +44,32 @@ class User implements UserInterface
$this->id = $result->getInt('id_user'); $this->id = $result->getInt('id_user');
$this->password = $result->getString('password'); $this->password = $result->getString('password');
$this->fullname = implode(' ', [ $this->fullname = implode(' ', [
$result->getString('surname'), $result->getString('surname'),
$result->getString('firstname'), $result->getString('firstname'),
$result->getString('patronymic')]); $result->getString('patronymic')]);
return $result; return $result;
} }
return null; return null;
} }
/**
* @param PDOStatement $result
* @return string
*/
function getUserPassword($result) { function getUserPassword($result) {
return $result->get('password'); return $result->get('password');
} }
public function getUserByLogin(string $login): ?PDOStatement public function getUserByLogin($login)
{ {
$stmt = $this->db->prepareStatement("SELECT * FROM users WHERE login = ?"); $stmt = $this->db->prepareStatement("SELECT * FROM users WHERE login = ?");
$stmt->setString(1, $login); $stmt->setString(1, $login);
$result = $this->getUserByQuery($stmt); $result = $this->getUserByQuery($stmt);
if ($result) { if ($result) {
$time = time(); $time = time();
$id = $this->id; $id = $this->id;
$this->db->executeQuery( $this->db->executeQuery("UPDATE users SET lasttime = $time WHERE id_user = $id"); // Время входа
"UPDATE users SET lasttime = :time WHERE id_user = :id",
['time' => $time, 'id' => $id]); // Время входа
} }
return $result; return $result;
} }
public function getUserById(int $id): ?PDOStatement public function getUserById($id)
{ {
$stmt = $this->db->prepareStatement("SELECT * FROM users WHERE id_user = ?"); $stmt = $this->db->prepareStatement("SELECT * FROM users WHERE id_user = ?");
$stmt->setInt(1, $_SESSION ['access']); $stmt->setInt(1, $_SESSION ['access']);
@ -89,37 +77,25 @@ class User implements UserInterface
if ($result) { if ($result) {
$lasttime = $result->getInt('lasttime'); $lasttime = $result->getInt('lasttime');
$time = time(); $time = time();
if ($time - $lasttime > self::LIFE_TIME) return null; // Вышло время сессии if ($time - $lasttime > self::LIFE_TIME) return null; // Вышло время сессии
$id = $this->id; $id = $this->id;
} }
return $result; return $result;
} }
/** function setSID($random, $result) {
* @param string $random return $this->db->executeQuery("UPDATE users SET sid = '$random', trie_count = 0 WHERE id_user = " . $result->getInt('id_user'));
* @param PDOStatement $result
* @return PDOStatement|bool
*/
function setSID(string $random, $result)
{
return $this->db->executeQuery("UPDATE users SET sid = :sid, trie_count = 0 WHERE id_user = :user", [
'user' => $result->getInt('id_user'),
'sid' => $random
]);
} }
function resetTries(string $login): void { function resetTries($login) {
$this->db->executeQuery( $this->db->executeQuery(
"UPDATE users SET trie_count = :count WHERE login = :login", "UPDATE users SET trie_count = :count WHERE login = :login",
['count' => 0, 'login' => $login] ['count' => 0, 'login' => $login]
); );
} }
function updateTries(string $login): void { function updateTries($login) {
$user = $this->db->fetchOneArray("SELECT id_user, trie_count FROM users WHERE login = :login", ['login' => $login]); $user = $this->db->fetchOneArray("SELECT id_user, trie_count FROM users WHERE login = :login", ['login' => $login]);
if ($user === false) {
return;
}
$this->db->executeQuery( $this->db->executeQuery(
"UPDATE users SET trie_time = :cur_time, trie_count = :count WHERE id_user = :id_user", "UPDATE users SET trie_time = :cur_time, trie_count = :count WHERE id_user = :id_user",
['cur_time' => time(), 'count' => $user['trie_count']+1, 'id_user' => $user['id_user']] ['cur_time' => time(), 'count' => $user['trie_count']+1, 'id_user' => $user['id_user']]

View file

@ -2,18 +2,11 @@
namespace ctiso\Role; namespace ctiso\Role;
use ctiso\Database\Statement; use ctiso\Database\Statement;
use ctiso\Database\PDOStatement;
interface UserInterface { interface UserInterface {
function getUserByQuery(Statement $stmt): ?PDOStatement; function getUserByQuery(Statement $stmt);
function getUserByLogin(string $login): ?PDOStatement; function getUserByLogin($login);
function getUserById(int $id): ?PDOStatement; function getUserById($id);
function getName(): string; function getName();
function setSID($random, $result);
/**
* @param string $random
* @param PDOStatement $result
* @return PDOStatement|bool
*/
function setSID(string $random, $result);
} }

View file

@ -3,7 +3,7 @@
namespace ctiso; namespace ctiso;
class Security { class Security {
static function generatePassword(int $length = 9, int $strength = 0): string { static function generatePassword($length = 9, $strength = 0) {
$vowels = 'aeuy'; $vowels = 'aeuy';
$consonants = 'bdghjmnpqrstvz'; $consonants = 'bdghjmnpqrstvz';
if ($strength & 1) { if ($strength & 1) {
@ -18,7 +18,7 @@ class Security {
if ($strength & 8) { if ($strength & 8) {
$consonants .= '@#$%'; $consonants .= '@#$%';
} }
$password = ''; $password = '';
$alt = time() % 2; $alt = time() % 2;
for ($i = 0; $i < $length; $i++) { for ($i = 0; $i < $length; $i++) {

View file

@ -2,9 +2,9 @@
namespace ctiso; namespace ctiso;
class Session class Session
{ {
function get(string $key): mixed function get($key)
{ {
if (isset($_SESSION[$key])) { if (isset($_SESSION[$key])) {
return $_SESSION[$key]; return $_SESSION[$key];
@ -12,27 +12,26 @@ class Session
return null; return null;
} }
function set(string|array $key, mixed $value): void function set($key, $value)
{ {
if (is_array($key)) { if (is_array($key)) {
$className = get_class($key[0]); $_SESSION[strtolower(get_class($key[0]))][$key[1]] = $value;
$_SESSION[strtolower($className ?: '')][$key[1]] = $value;
} else { } else {
$_SESSION[$key] = $value; $_SESSION[$key] = $value;
} }
} }
function clean(string $key): void function clean($key)
{ {
unset($_SESSION[$key]); unset($_SESSION[$key]);
} }
function start(): void function start()
{ {
@session_start(); @session_start();
} }
function stop(): void function stop()
{ {
session_destroy(); session_destroy();
} }

View file

@ -5,30 +5,21 @@ use ctiso\File,
Exception; Exception;
/** /**
* Класс реестра * Класс реестра
* Реестр организован как ассоциативный многомерный массив * Реестр организован как ассоциативный многомерный массив
* array( 'name1' => parameters1, 'name2' => parameters1, ... ) * array( 'name1' => parameters1, 'name2' => parameters1, ... )
* *
* name1, name2 ... - Имена модулей * name1, name2 ... - Имена модулей
* parameters1, parameters1 - Массивы с параметрами модуля * parameters1, parameters1 - Массивы с параметрами модуля
* Имя необходимо чтобы потом легко было удалить ненужные ветки дерева * Имя необходимо чтобы потом легко было удалить ненужные ветки дерева
*/ */
class Settings class Settings
{ {
/** @var array */
public $data = []; public $data = [];
/** @var string */
protected $file; protected $file;
/** @var string */
protected $format = 'php'; protected $format = 'php';
/** @var bool */
protected $is_read = false; protected $is_read = false;
/**
* Конструктор
* @param string $file Путь к файлу
* @param 'php'|'json'|false $format Формат файла
*/
public function __construct ($file = null, $format = false) public function __construct ($file = null, $format = false)
{ {
$fileFormat = ['theme' => 'json']; $fileFormat = ['theme' => 'json'];
@ -42,7 +33,7 @@ class Settings
* Чтение настроек из файла * Чтение настроек из файла
* @return Boolean * @return Boolean
*/ */
public function read(): bool public function read()
{ {
if (!file_exists ($this->file)) { if (!file_exists ($this->file)) {
$this->is_read = true; $this->is_read = true;
@ -67,19 +58,18 @@ class Settings
/** /**
* Запись ключа в реестр (Реестр это многомерный массив) * Запись ключа в реестр (Реестр это многомерный массив)
* @param array $key Путь к значению ключа
* @param mixed $value Значение
* @return void
*/ */
public function writeKey(array $key, $value) public function writeKey(array $key, $value)
{ {
// assert(count($key) >= 1);
$data = &$this->data; $data = &$this->data;
while (count($key) > 1) { while (count($key) > 1) {
$name = array_shift($key); $name = array_shift($key);
$data = &$data[$name]; $data = &$data[$name];
} }
// assert(count($key) == 1);
$name = array_shift($key); $name = array_shift($key);
if (is_array($value)) { if (is_array($value)) {
if (!isset($data[$name])) { if (!isset($data[$name])) {
@ -93,10 +83,8 @@ class Settings
/** /**
* Обновляет массив в соответствии со значением * Обновляет массив в соответствии со значением
* @param array $data Массив
* @param mixed $value Значение
*/ */
protected function merge(array &$data, $value): void protected function merge(array &$data, $value)
{ {
foreach ($value as $key => $subvalue) { foreach ($value as $key => $subvalue) {
if (is_array($subvalue)) { if (is_array($subvalue)) {
@ -109,23 +97,17 @@ class Settings
} }
/** /**
* Чтение ключа из реестра * Чтение ключа из реестра
* @param array $key Путь к значению ключа * @param array $key Путь к значению ключа
* @return mixed
*/ */
public function readKey(array $key) public function readKey(array $key)
{ {
return $this->readKeyData($key, $this->data); return $this->readKeyData($key, $this->data);
} }
/**
* Чтение ключа из реестра
* @param array $key Путь к значению ключа
* @param array $data
* @return mixed
*/
protected function readKeyData(array $key, $data) protected function readKeyData(array $key, $data)
{ {
// assert(count($key) >= 1);
while (count($key) > 1) { while (count($key) > 1) {
$name = array_shift($key); $name = array_shift($key);
if (isset($data[$name])) { if (isset($data[$name])) {
@ -133,8 +115,9 @@ class Settings
} else { } else {
return null; return null;
} }
} }
// assert(count($key) == 1);
$name = array_shift($key); $name = array_shift($key);
if (isset($data[$name])) { if (isset($data[$name])) {
return $data[$name]; return $data[$name];
@ -146,10 +129,9 @@ class Settings
/** /**
* Чтение ключа из реестра (Собирает все ключи с определенным значением во всех модулях) * Чтение ключа из реестра (Собирает все ключи с определенным значением во всех модулях)
* @param mixed $key Путь к значению ключа внутри модуля * @param mixed $key Путь к значению ключа внутри модуля
* @return array
*/ */
public function readKeyList(...$key) public function readKeyList(...$key)
{ {
$result = []; $result = [];
foreach ($this->data as $name => $value) { foreach ($this->data as $name => $value) {
$output = $this->readKeyData($key, $value); $output = $this->readKeyData($key, $value);
@ -160,17 +142,13 @@ class Settings
return $result; return $result;
} }
/** public function removeKey($name)
* Удаление ключа из реестра
* @param string $name Имя ключа
*/
public function removeKey($name): void
{ {
unset($this->data[$name]); unset($this->data[$name]);
} }
public function removeNode(array $key): void public function removeNode(array $key)
{ {
$data = &$this->data; $data = &$this->data;
while (count($key) > 1) { while (count($key) > 1) {
@ -180,11 +158,11 @@ class Settings
$name = array_shift($key); $name = array_shift($key);
unset($data[$name]); unset($data[$name]);
} }
/** /**
* Запись настроек в файл (Может переименовать в store) * Запись настроек в файл (Может переименовать в store)
* *
* @param string $file * @param File $file
* @return void * @return void
*/ */
public function write($file = null) public function write($file = null)
@ -199,49 +177,28 @@ class Settings
$result = var_export($this->data, true); $result = var_export($this->data, true);
$result = "<?php\nreturn ".$result.";\n?>"; $result = "<?php\nreturn ".$result.";\n?>";
} }
file_put_contents(($file) ? $file : $this->file, $result); file_put_contents (($file) ? $file : $this->file, $result);
} }
/** public function set($key, $value) {
* Установка значения ключа
* @param string $key Ключ
* @param mixed $value Значение
*/
public function set($key, $value): void {
$this->data[$key] = $value; $this->data[$key] = $value;
} }
/**
* Получение значения ключа
* @param string $key Ключ
* @param mixed $default Значение по умолчанию
* @return mixed
*/
public function get($key, $default = null) public function get($key, $default = null)
{ {
return isset($this->data[$key]) && $this->data[$key] != '' ? $this->data[$key] : $default; return isset($this->data[$key]) && $this->data[$key] != '' ? $this->data[$key] : $default;
} }
/**
* Получение всех данных
* @return array
*/
function export() { function export() {
return $this->data; return $this->data;
} }
/**
* Импорт данных
* @param array $data Данные
* @return void
*/
function import($data) { function import($data) {
$this->data = $data; $this->data = $data;
} }
/** /**
* Список модулей/ключей * Список модулей/ключей
* @return array
*/ */
public function getKeys() public function getKeys()
{ {
@ -250,8 +207,6 @@ class Settings
/** /**
* Проверка наличия ключа * Проверка наличия ключа
* @param string $name Ключ
* @return bool
*/ */
public function hasKey($name) public function hasKey($name)
{ {

View file

@ -6,65 +6,40 @@
* $setup->set('target', 'dst'); * $setup->set('target', 'dst');
* $setup->executeActions('install'); * $setup->executeActions('install');
* </code> * </code>
*/ */
namespace ctiso; namespace ctiso;
use ctiso\Tools\SQLStatementExtractor; use ctiso\Tools\SQLStatementExtractor;
use ctiso\Path; use ctiso\Path;
use ctiso\File;
use SimpleXMLElement;
class FakeZipArchive { class FakeZipArchive {
/** @var string */
public $base; public $base;
function open($path) {
function open(string $path): void {
$this->base = $path; $this->base = $path;
} }
/**
* Возвращает содержимое файла
* @param string $file
* @return string
*/
function getFromName($file) { function getFromName($file) {
return File::getContents(Path::join($this->base, $file)); return file_get_contents(Path::join($this->base, $file));
} }
} }
class Setup class Setup
{ {
/** @var array */ protected $actions = array();
protected $actions = []; public $context = array();
/** @var array */
public $context = [];
/** @var string */
protected $file; protected $file;
/** @var string */
protected $action; protected $action;
/** @var SimpleXMLElement */
protected $node; protected $node;
/** @var array */ protected $stack = array();
protected $stack = [];
/** @var FakeZipArchive */
public $zip; public $zip;
/** @var string */
public $target; public $target;
/** @var string */
public $source; public $source;
/**
* @param string $file
*/
public function __construct($file) public function __construct($file)
{ {
$this->file = $file; $this->file = $file;
$node = simplexml_load_file($file); $this->node = simplexml_load_file($file);
if ($node === false) {
throw new \RuntimeException("Can't load file $file");
}
$this->node = $node;
$this->target = ''; $this->target = '';
$this->source = ''; $this->source = '';
@ -81,29 +56,22 @@ class Setup
} }
/** /**
* Регистрация новых действия для установки * Регистрация новых действия для установки
* @param string $name
* @param callable $action
*/ */
public function registerAction(string $name, $action): void public function registerAction($name, $action)
{ {
$this->actions[$name] = $action; $this->actions[$name] = $action;
} }
/** /**
* Установка переменных для шаблона * Установка переменных для шаблона
* @param string $name
* @param mixed $value
*/ */
public function set(string $name, $value): void public function set($name, $value)
{ {
$this->context[$name] = $value; $this->context[$name] = $value;
} }
/** function replaceFn($matches) {
* @return string
*/
function replaceFn(array $matches) {
if (isset($this->context[$matches[2]])) { if (isset($this->context[$matches[2]])) {
$v = $this->context[$matches[2]]; $v = $this->context[$matches[2]];
} else { } else {
@ -116,14 +84,14 @@ class Setup
return $v; return $v;
} }
public function fileContent(string $file, array $tpl): string public function fileContent($file, array $tpl)
{ {
$result = $this->zip->getFromName($file); $result = $this->zip->getFromName($file);
$result = preg_replace_callback('/\{\{\s*(\*?)(\w+)\s*\}\}/', [$this, 'replaceFn'], $result); $result = preg_replace_callback('/\{\{\s*(\*?)(\w+)\s*\}\}/', [$this, 'replaceFn'], $result);
return $result; return $result;
} }
function callAction(string $name, array $attributes): void function callAction($name, array $attributes)
{ {
if(isset($this->actions[$name])) { if(isset($this->actions[$name])) {
call_user_func_array($this->actions[$name], $attributes); call_user_func_array($this->actions[$name], $attributes);
@ -132,8 +100,6 @@ class Setup
/** /**
* Заменяет переменные на их значения в строке * Заменяет переменные на их значения в строке
* @param array<string> $match массив совпадения
* @return string
*/ */
function replaceVariable(array $match) function replaceVariable(array $match)
{ {
@ -145,55 +111,50 @@ class Setup
/** /**
* Для всех аттрибутов заменяет переменные на их значения * Для всех аттрибутов заменяет переменные на их значения
* @param SimpleXMLElement $attributes аттрибуты
* @return array<string, string>
*/ */
function resolve(SimpleXMLElement $attributes): array function resolve($attributes)
{ {
$result = []; $result = [];
foreach ($attributes as $key => $value) { foreach ($attributes as $key => $value) {
$result[$key] = preg_replace_callback("/\\\${(\w+)}/", $this->replaceVariable(...), $value); $result [$key] = preg_replace_callback("/\\\${(\w+)}/", [$this, 'replaceVariable'], $value);
} }
return $result; return $result;
} }
/** /**
* Выполняет список действий если для действия не указан аттрибут when то оно выполняется всегда * Выполняет список действий если для действия не указан аттрибут when то оно выполняется всегда
* *
* @param string $action специальное действие * @param string $action специальное действие
* @return void
*/ */
function executeActions($action = "install") function executeActions($action = "install")
{ {
$this->action = $action; $this->action = $action;
if ($this->stack[count($this->stack) - 1] === false) { if ($this->stack[count($this->stack) - 1] === false) {
return; return;
} }
/** @var \SimpleXMLElement */ $item/*: \SimpleXMLElement*/ = $this->stack[count($this->stack) - 1];
$item = $this->stack[count($this->stack) - 1];
$root = $item->children(); $root = $item->children();
foreach ($root as $node) foreach ($root as $node)
{ {
$attributes = $node->attributes(); $attributes = $node->attributes();
array_push($this->stack, $node); array_push($this->stack, $node);
$this->callAction($node->getName(), [$this->resolve($attributes)]); $this->callAction($node->getName(), [$this->resolve($attributes)]);
array_pop($this->stack); array_pop($this->stack);
} }
} }
/** /**
* Копирования файла * Копирования файла
* preserve - Не переписывать файл если он существует * preserve - Не переписывать файл если он существует
* template Файл является шаблоном подставить параметры до копирования * template Файл является шаблоном подставить параметры до копирования
* src Исходный файл * src Исходный файл
* dst Новый файл * dst Новый файл
* *
* @param array{preserve?: string, template: string, src: string, dst: string} $attributes * @param array{preserve?: string, template: string, src: string, dst: string} $attributes
* @return void
*/ */
public function copyFile(array $attributes) public function copyFile(array $attributes)
{ {
$path = $this->targetPath($attributes['dst']); $path = $this->targetPath($attributes['dst']);
if (!(file_exists($path) && isset($attributes['preserve']))) { if (!(file_exists($path) && isset($attributes['preserve']))) {
@ -203,9 +164,9 @@ class Setup
/** /**
* Создает символическую ссылку на папку/файл * Создает символическую ссылку на папку/файл
* @param array{target: string, link: string} $attributes * @param array{target: string, link: string} $attributes
*/ */
public function makeLink(array $attributes): void public function makeLink(array $attributes)
{ {
if (function_exists('symlink')) { if (function_exists('symlink')) {
symlink($attributes['target'], $attributes['link']); symlink($attributes['target'], $attributes['link']);
@ -213,37 +174,37 @@ class Setup
} }
/** /**
* Подключение файла установки * Подключение файла установки
* @param array{file: string} $attributes Имя подключаемого файла * @param array{file: string} $attributes Имя подключаемого файла
*/ */
public function includeFile(array $attributes): void public function includeFile(array $attributes)
{ {
$file = basename($this->file) . "/" . $attributes['file']; $file = basename($this->file) . "/" . $attributes['file'];
$setup = new Setup($file); $setup = new Setup($file);
$setup->context = $this->context; $setup->context = $this->context;
$setup->executeActions(); $setup->executeActions();
} }
function targetPath(string $s): string { function targetPath($s) {
return $this->target . '/' . $s; return $this->target . '/' . $s;
} }
/** /**
* Создает новую папку * Создает новую папку
* dst Имя папки * dst Имя папки
* *
* @param array{dst:string} $attributes * @param array{dst:string} $attributes
*/ */
public function makeDirectory(array $attributes): void public function makeDirectory(array $attributes)
{ {
$path = $this->targetPath($attributes['dst']); $path = $this->targetPath($attributes['dst']);
if (!file_exists($path)) { if (!file_exists($path)) {
mkdir($path); mkdir($path);
} }
} }
function testWhen(array $attributes): void function testWhen(array $attributes)
{ {
if (!isset($attributes['test']) || $attributes['test'] == $this->action) { if (!isset($attributes['test']) || $attributes['test'] == $this->action) {
$this->executeActions($this->action); $this->executeActions($this->action);
@ -251,11 +212,9 @@ class Setup
} }
/** /**
* Выполнение Списка SQL команд из ZIP файла * Выполнение Списка SQL команд
* @param Database $conn */
* @param string $file function batchSQLZip($conn/*: Database*/, $file)
*/
function batchSQLZip($conn, $file): void
{ {
$stmtList = SQLStatementExtractor::extract($this->zip->getFromName($file)); $stmtList = SQLStatementExtractor::extract($this->zip->getFromName($file));
foreach ($stmtList as $stmt) { foreach ($stmtList as $stmt) {
@ -263,12 +222,7 @@ class Setup
} }
} }
/** static function batchSQL($conn/*: Database*/, $file)
* Выполнение Списка SQL команд
* @param Database $conn
* @param string $file
*/
static function batchSQL($conn, $file): void
{ {
$stmtList = SQLStatementExtractor::extractFile($file); $stmtList = SQLStatementExtractor::extractFile($file);
foreach ($stmtList as $stmt) { foreach ($stmtList as $stmt) {

View file

@ -2,23 +2,20 @@
namespace ctiso; namespace ctiso;
class SortRecord class SortRecord
{ {
public string $key; public $key;
public int $order; public $mode;
public $order;
function __construct(string $key, bool $order) function __construct($key, $mode, $order)
{ {
$this->key = $key; $this->key = $key;
$this->order = ((boolean)($order) === false) ? 1 : -1; $this->order = ((boolean)($order) === false) ? 1 : -1;
$this->mode = $mode;
} }
/** function compare($a, $b)
* @template T
* @param array<string, T> $a
* @param array<string, T> $b
*/
function compare(array $a, array $b): int
{ {
if($a[$this->key] == $b[$this->key]) { if($a[$this->key] == $b[$this->key]) {
return 0; return 0;
@ -26,7 +23,7 @@ class SortRecord
return ($a[$this->key] > $b[$this->key]) ? $this->order : -$this->order; return ($a[$this->key] > $b[$this->key]) ? $this->order : -$this->order;
} }
function compareKeys(object $a, object $b): int function compareKeys($a, $b)
{ {
if($a->{$this->key} == $b->{$this->key}) { if($a->{$this->key} == $b->{$this->key}) {
return 0; return 0;
@ -34,17 +31,17 @@ class SortRecord
return ($a->{$this->key} > $b->{$this->key}) ? $this->order : -$this->order; return ($a->{$this->key} > $b->{$this->key}) ? $this->order : -$this->order;
} }
function sort(array &$list): bool function sort(&$list)
{ {
return usort($list, [$this, 'compare']); return usort($list, [$this, 'compare']);
} }
function sortKeys(array &$list): bool function sortKeys(&$list)
{ {
return usort($list, [$this, 'compareKeys']); return usort($list, [$this, 'compareKeys']);
} }
function group(array &$list, string $key, array $types): void function group(&$list, $key, $types)
{ {
$groups = []; $groups = [];
foreach ($types as $name) { foreach ($types as $name) {
@ -62,6 +59,6 @@ class SortRecord
foreach ($groups as $value) { foreach ($groups as $value) {
$result = array_merge($result, $value); $result = array_merge($result, $value);
} }
$list = $result; $list = $result;
} }
} }

View file

@ -4,29 +4,26 @@
* Преобразование дерева из модели Plain в массив массивов (Adjacency List) * Преобразование дерева из модели Plain в массив массивов (Adjacency List)
*/ */
/**
* Обходит таблицу как дерево
* $fn ($name, $index, $rows, $cc)
* $name Ключ уровня
* $index Значение ключа уровня
* $rows Все столбцы текущго уровня
* $cc Столбцы более низкого уровня
*
* @param Array $level Уровни вложенности
* @param array $table Таблица
* @param Function $fn Функция которая применяется к каждой ветке дерева
*/
namespace ctiso; namespace ctiso;
use ctiso\Functions; use ctiso\Functions;
class TableTree { class TableTree {
/**
* Обходит таблицу как дерево
* $fn ($name, $index, $rows, $cc)
* $name Ключ уровня
* $index Значение ключа уровня
* $rows Все столбцы текущго уровня
* $cc Столбцы более низкого уровня
*
* @param array $level Уровни вложенности
* @param array $table Таблица
* @param callable $fn Функция которая применяется к каждой ветке дерева
* @return array
*/
static function walk($level, $table, $fn) { static function walk($level, $table, $fn) {
if (empty ($level)) { if (empty ($level)) return $table;
return $table;
}
$name = array_shift ($level); $name = array_shift ($level);
$keys = Functions::key_unique_values($name, $table); $keys = Functions::key_unique_values($name, $table);
$data = []; $data = [];
foreach ($keys as $index) { foreach ($keys as $index) {

View file

@ -4,30 +4,27 @@
* Расширения для PHPTAL для отображения времени и даты * Расширения для PHPTAL для отображения времени и даты
*/ */
namespace ctiso; namespace ctiso;
use PHPTAL_Php_TalesInternal,
use PHPTAL_Php_TalesInternal; ctiso\Controller\SiteInterface,
use ctiso\Controller\SiteInterface; ctiso\Controller\Component,
use ctiso\Controller\Component; ctiso\HttpRequest,
use ctiso\HttpRequest; PHPTAL_Tales,
use PHPTAL_Tales; PHPTAL_TalesRegistry;
use PHPTAL_TalesRegistry;
class Tales_DateTime implements PHPTAL_Tales class Tales_DateTime implements PHPTAL_Tales
{ {
static public function date(string $expression, bool $nothrow = false): string static public function date($expression, $nothrow = false) {
{
return "ctiso\\Tales::phptal_date(".PHPTAL_Php_TalesInternal::path($expression).")"; return "ctiso\\Tales::phptal_date(".PHPTAL_Php_TalesInternal::path($expression).")";
} }
static public function time(string $expression, bool $nothrow = false): string static public function time($expression, $nothrow = false) {
{
return "ctiso\\Tales::phptal_time(".PHPTAL_Php_TalesInternal::path($expression).")"; return "ctiso\\Tales::phptal_time(".PHPTAL_Php_TalesInternal::path($expression).")";
} }
} }
class Tales_Component implements PHPTAL_Tales class Tales_Component implements PHPTAL_Tales
{ {
static public function component(string $expression, bool $nothrow = false): string static public function component($expression, $nothrow = false)
{ {
$s = PHPTAL_Php_TalesInternal::string($expression); $s = PHPTAL_Php_TalesInternal::string($expression);
return "ctiso\\Tales::phptal_component(" . $s . ")"; return "ctiso\\Tales::phptal_component(" . $s . ")";
@ -36,7 +33,7 @@ class Tales_Component implements PHPTAL_Tales
class Tales_Assets implements PHPTAL_Tales class Tales_Assets implements PHPTAL_Tales
{ {
static public function assets(string $expression, bool $nothrow = false): string static public function assets($expression, $nothrow = false)
{ {
$s = PHPTAL_Php_TalesInternal::string($expression); $s = PHPTAL_Php_TalesInternal::string($expression);
return "ctiso\\Tales::phptal_asset(" . $s . ")"; return "ctiso\\Tales::phptal_asset(" . $s . ")";
@ -44,47 +41,45 @@ class Tales_Assets implements PHPTAL_Tales
} }
class Tales { class Tales {
/** @var ?SiteInterface */ static $site/*: SiteInterface*/;
static $site;
static function phptal_date (int $e): string { static function phptal_date ($e) {
return date("d.m.Y", $e); return date("d.m.Y", $e);
} }
static function phptal_time (int $e): string { static function phptal_time ($e) {
return date("H:i", $e); return date("H:i", $e);
} }
static function phptal_asset(string $s): string { static function phptal_asset($s) {
self::$site->addStyleSheet($s); self::$site->addStyleSheet($s);
return ""; return "";
} }
/** /**
* Функция подключения компонента * Функция подключения компонента
* @param string $expression
* @return string
*/ */
static function phptal_component($expression): string { static function phptal_component($expression) {
$begin = floatval(microtime(true)); $begin = floatval(microtime(true));
/** @var Component */ $component/*: Component*/ = null;
$component = self::$site->loadComponent($expression); $component = self::$site->loadComponent($expression);
$req = new HttpRequest(); $req = new HttpRequest();
$result = $component->execute($req); $result = $component->execute($req);
echo "<!-- ", $expression, ", ", round(floatval(microtime(true)) - $begin, 4), "sec -->"; echo "<!-- ", $expression, ", ", round(floatval(microtime(true)) - $begin, 4), "sec -->";
return $result; return $result;
} }
static function register(?SiteInterface $site): void { static function register($site) {
self::$site = $site; self::$site = $site;
/* Регистрация нового префикса для подключения компонента */ /* Регистрация нового префикса для подключения компонента */
$tales = PHPTAL_TalesRegistry::getInstance(); $tales = PHPTAL_TalesRegistry::getInstance();
$tales->registerPrefix('component', [\ctiso\Tales_Component::class, 'component']); $tales->registerPrefix('component', ['ctiso\\Tales_Component', 'component']);
$tales->registerPrefix('date', [\ctiso\Tales_DateTime::class, 'date']); $tales->registerPrefix('date', ['ctiso\\Tales_DateTime', 'date']);
$tales->registerPrefix('time', [\ctiso\Tales_DateTime::class, 'time']); $tales->registerPrefix('time', ['ctiso\\Tales_DateTime', 'time']);
$tales->registerPrefix('assets', [\ctiso\Tales_Assets::class, 'assets']); $tales->registerPrefix('assets', ['ctiso\\Tales_Assets', 'assets']);
} }
} }

View file

@ -2,8 +2,6 @@
namespace ctiso\Tools; namespace ctiso\Tools;
use GdImage;
class Drawing class Drawing
{ {
const ALIGN_LEFT = "left"; const ALIGN_LEFT = "left";
@ -12,61 +10,26 @@ class Drawing
const ALIGN_CENTER = "center"; const ALIGN_CENTER = "center";
const ALIGN_RIGHT = "right"; const ALIGN_RIGHT = "right";
/** static function drawrectnagle(&$image, $left, $top, $width, $height, $rgb)
* @param GdImage $image
* @param int $left
* @param int $top
* @param int $width
* @param int $height
* @param list<int<0, 255>> $rgb
*/
static function drawRectangle(GdImage &$image, int $left, int $top, int $width, int $height, array $rgb): void
{ {
$color = imagecolorallocate($image, $rgb[0], $rgb[1], $rgb[2]); $color = imagecolorallocate($image, $rgb[0], $rgb[1], $rgb[2]);
if ($color === false) {
throw new \RuntimeException("Can't allocate color");
}
$right = $left + $width; $right = $left + $width;
$bottom = $top + $height; $bottom = $top + $height;
imageline($image, $left, $top, $right, $top, $color); imageline($image, $left, $top, $right, $top, $color);
imageline($image, $right, $top, $right, $bottom, $color); imageline($image, $right,$top, $right, $bottom, $color);
imageline($image, $left, $bottom, $right, $bottom, $color); imageline($image, $left, $bottom, $right, $bottom, $color);
imageline($image, $left, $top, $left, $bottom, $color); imageline($image, $left, $top, $left, $bottom, $color);
} }
/** /**
* http://ru2.php.net/imagettftext * http://ru2.php.net/imagettftext
*
* @param GdImage $image
* @param int $size
* @param float $angle
* @param int $left
* @param int $top
* @param int $color
* @param string $font
* @param string $text
* @param int $max_width
* @param int $max_height
* @param string $align
* @param string $valign
*/ */
static function imagettftextbox( static function imagettftextbox(&$image, $size, $angle, $left, $top, $color, $font, $text,
GdImage &$image, $max_width, $max_height, $align, $valign)
int $size, {
float $angle, // echo $left,"\n", $top, "\n";
$left, // echo $max_width,"\n", $max_height, "\n";
$top, // self::drawrectnagle($image, $left, $top, $max_width, $max_height, array(0xFF,0,0));
$color,
$font,
$text,
$max_width,
$max_height,
$align,
$valign
): float {
// echo $left,"\n", $top, "\n";
// echo $max_width,"\n", $max_height, "\n";
// self::drawrectnagle($image, $left, $top, $max_width, $max_height, array(0xFF,0,0));
$text_lines = explode("\n", $text); // Supports manual line breaks! $text_lines = explode("\n", $text); // Supports manual line breaks!
$lines = []; $lines = [];
@ -84,9 +47,6 @@ class Drawing
for ($i = 0; $i < $count; $i++) { for ($i = 0; $i < $count; $i++) {
$item = $words[$i]; $item = $words[$i];
$dimensions = imagettfbbox($size, $angle, $font, $current_line . ($first_word ? '' : ' ') . $item); $dimensions = imagettfbbox($size, $angle, $font, $current_line . ($first_word ? '' : ' ') . $item);
if ($dimensions === false) {
continue;
}
$line_width = $dimensions[2] - $dimensions[0]; $line_width = $dimensions[2] - $dimensions[0];
$line_height = $dimensions[1] - $dimensions[7]; $line_height = $dimensions[1] - $dimensions[7];
@ -142,15 +102,20 @@ class Drawing
return $largest_line_height * count($lines); return $largest_line_height * count($lines);
} }
function imagettftextSp(GdImage $image, float $size, float $angle, int $x, int $y, int $color, string $font, string $text, int $spacing = 0): void
function imagettftextSp($image, $size, $angle, $x, $y, $color, $font, $text, $spacing = 0)
{ {
if ($spacing == 0) { if ($spacing == 0)
{
imagettftext($image, $size, $angle, $x, $y, $color, $font, $text); imagettftext($image, $size, $angle, $x, $y, $color, $font, $text);
} else { }
else
{
$temp_x = $x; $temp_x = $x;
for ($i = 0; $i < mb_strlen($text); $i++) { for ($i = 0; $i < mb_strlen($text); $i++)
{
$bbox = imagettftext($image, $size, $angle, $temp_x, $y, $color, $font, $text[$i]); $bbox = imagettftext($image, $size, $angle, $temp_x, $y, $color, $font, $text[$i]);
$temp_x += $spacing + ($bbox !== false ? ($bbox[2] - $bbox[0]) : 0); $temp_x += $spacing + ($bbox[2] - $bbox[0]);
} }
} }
} }

View file

@ -2,15 +2,9 @@
namespace ctiso\Tools; namespace ctiso\Tools;
use GdImage;
class Image class Image
{ {
/** static function load($uri)
* @param string $uri
* @return GdImage|false
*/
static function load($uri): GdImage|false
{ {
$e = strtolower(pathinfo($uri, PATHINFO_EXTENSION)); $e = strtolower(pathinfo($uri, PATHINFO_EXTENSION));
switch ($e) { switch ($e) {
@ -18,32 +12,24 @@ class Image
case 'jpeg': case 'jpg': return imagecreatefromjpeg($uri); case 'jpeg': case 'jpg': return imagecreatefromjpeg($uri);
case 'gif': return imagecreatefromgif($uri); case 'gif': return imagecreatefromgif($uri);
} }
return false;
} }
static function fit(GdImage $image, int $prewidth, int $preheight, bool $force = true): GdImage|false static function fit($image, $prewidth, $preheight, $force = true)
{ {
$width = imagesx($image); $width = imagesx($image);
$height = imagesy($image); $height = imagesy($image);
$percent = min($prewidth / $width, $preheight / $height); $percent = min($prewidth / $width, $preheight / $height);
if ($percent > 1 && !$force) { if ($percent > 1 && !$force) $percent = 1;
$percent = 1; $new_width = $width * $percent;
} $new_height = $height * $percent;
$new_width = max(1, (int)($width * $percent));
$new_height = max(1, (int)($height * $percent));
$image_p = imagecreatetruecolor($new_width, $new_height); $image_p = imagecreatetruecolor($new_width, $new_height);
imagecopyresampled($image_p, $image, 0, 0, 0, 0, $new_width, $new_height, $width, $height); imagecopyresampled($image_p, $image, 0, 0, 0, 0, $new_width, $new_height, $width, $height);
return $image_p; return $image_p;
} }
/** static function save($image, $uri)
* @param GdImage $image
* @param string $uri
* @return bool
*/
static function save($image, $uri): bool
{ {
$e = strtolower(pathinfo($uri, PATHINFO_EXTENSION)); $e = strtolower(pathinfo($uri, PATHINFO_EXTENSION));
switch ($e) { switch ($e) {
@ -51,6 +37,5 @@ class Image
case 'png': imagepng($image, $uri); break; case 'png': imagepng($image, $uri); break;
case 'gif': imagegif($image, $uri); break; case 'gif': imagegif($image, $uri); break;
} }
return false;
} }
} }

View file

@ -18,7 +18,7 @@
* and is licensed under the LGPL. For more information please see * and is licensed under the LGPL. For more information please see
* <http://creole.phpdb.org>. * <http://creole.phpdb.org>.
*/ */
/** /**
* Static class for extracting SQL statements from a string or file. * Static class for extracting SQL statements from a string or file.
* *
@ -26,157 +26,142 @@
* @version $Revision: 1.5 $ * @version $Revision: 1.5 $
* @package creole.util.sql * @package creole.util.sql
*/ */
namespace ctiso\Tools; namespace ctiso\Tools;
use Exception; use Exception;
class SQLStatementExtractor class SQLStatementExtractor {
{
/** @var string */
protected static $delimiter = ';'; protected static $delimiter = ';';
/** /**
* Get SQL statements from file. * Get SQL statements from file.
* *
* @param string $filename Path to file to read. * @param string $filename Path to file to read.
* @return array SQL statements * @return array SQL statements
*/ */
public static function extractFile($filename) public static function extractFile($filename) {
{
$buffer = file_get_contents($filename); $buffer = file_get_contents($filename);
if ($buffer !== false) { if ($buffer !== false) {
return self::extractStatements(self::getLines($buffer)); return self::extractStatements(self::getLines($buffer));
} }
throw new Exception("Unable to read file: " . $filename); throw new Exception("Unable to read file: " . $filename);
} }
/** /**
* Extract statements from string. * Extract statements from string.
* *
* @param string $buffer * @param string $buffer
* @return array * @return array
*/ */
public static function extract($buffer) public static function extract($buffer) {
{
return self::extractStatements(self::getLines($buffer)); return self::extractStatements(self::getLines($buffer));
} }
/** /**
* Extract SQL statements from array of lines. * Extract SQL statements from array of lines.
* *
* @param string[] $lines Lines of the read-in file. * @param array $lines Lines of the read-in file.
* @return string[] SQL statements * @return array
*/ */
protected static function extractStatements($lines) protected static function extractStatements($lines) {
{
$statements = []; $statements = [];
$sql = ""; $sql = "";
foreach($lines as $line) {
$line = trim($line);
if (self::startsWith("//", $line) ||
self::startsWith("--", $line) ||
self::startsWith("#", $line)) {
continue;
}
if (strlen($line) > 4 && strtoupper(substr($line,0, 4)) == "REM ") {
continue;
}
foreach ($lines as $line) { $sql .= " " . $line;
$line = trim($line); $sql = trim($sql);
if ( // SQL defines "--" as a comment to EOL
self::startsWith("//", $line) || // and in Oracle it may contain a hint
self::startsWith("--", $line) || // so we cannot just remove it, instead we must end it
self::startsWith("#", $line) if (strpos($line, "--") !== false) {
) { $sql .= "\n";
continue; }
if (self::endsWith(self::$delimiter, $sql)) {
$statements[] = self::substring($sql, 0, strlen($sql)-1 - strlen(self::$delimiter));
$sql = "";
}
} }
return $statements;
if (strlen($line) > 4 && strtoupper(substr($line, 0, 4)) == "REM ") {
continue;
}
$sql .= " " . $line;
$sql = trim($sql);
// SQL defines "--" as a comment to EOL
// and in Oracle it may contain a hint
// so we cannot just remove it, instead we must end it
if (strpos($line, "--") !== false) {
$sql .= "\n";
}
if (self::endsWith(self::$delimiter, $sql)) {
$statements[] = self::substring($sql, 0, strlen($sql) - 1 - strlen(self::$delimiter));
$sql = "";
}
}
return $statements;
} }
// //
// Some string helper methods // Some string helper methods
// //
/** /**
* Tests if a string starts with a given string. * Tests if a string starts with a given string.
* @param string $check The substring to check. * @param string $check The substring to check.
* @param string $string The string to check in (haystack). * @param string $string The string to check in (haystack).
* @return boolean True if $string starts with $check, or they are equal, or $check is empty. * @return boolean True if $string starts with $check, or they are equal, or $check is empty.
*/ */
protected static function startsWith($check, $string) protected static function startsWith($check, $string) {
{
if ($check === "" || $check === $string) { if ($check === "" || $check === $string) {
return true; return true;
} else { } else {
return (strpos($string, $check) === 0); return (strpos($string, $check) === 0);
} }
} }
/** /**
* Tests if a string ends with a given string. * Tests if a string ends with a given string.
* @param string $check The substring to check. * @param string $check The substring to check.
* @param string $string The string to check in (haystack). * @param string $string The string to check in (haystack).
* @return boolean True if $string ends with $check, or they are equal, or $check is empty. * @return boolean True if $string ends with $check, or they are equal, or $check is empty.
*/ */
protected static function endsWith(string $check, string $string) protected static function endsWith($check/*: string*/, $string) {
{
if ($check === "" || $check === $string) { if ($check === "" || $check === $string) {
return true; return true;
} else { } else {
return (strpos(strrev($string), strrev($check)) === 0); return (strpos(strrev($string), strrev($check)) === 0);
} }
} }
/** /**
* a natural way of getting a subtring, php's circular string buffer and strange * a natural way of getting a subtring, php's circular string buffer and strange
* return values suck if you want to program strict as of C or friends * return values suck if you want to program strict as of C or friends
* @param string $string The string to get the substring from.
* @param int $startpos The start position of the substring.
* @param int $endpos The end position of the substring.
* @return string The substring.
*/ */
protected static function substring(string $string, int $startpos, int $endpos = -1) protected static function substring($string, $startpos, $endpos = -1) {
{
$len = strlen($string); $len = strlen($string);
$endpos = (int) (($endpos === -1) ? $len - 1 : $endpos); $endpos = (int) (($endpos === -1) ? $len-1 : $endpos);
if ($startpos > $len - 1 || $startpos < 0) { if ($startpos > $len-1 || $startpos < 0) {
trigger_error("substring(), Startindex out of bounds must be 0<n<$len", E_USER_ERROR); trigger_error("substring(), Startindex out of bounds must be 0<n<$len", E_USER_ERROR);
} }
if ($endpos > $len - 1 || $endpos < $startpos) { if ($endpos > $len-1 || $endpos < $startpos) {
trigger_error("substring(), Endindex out of bounds must be $startpos<n<" . ($len - 1), E_USER_ERROR); trigger_error("substring(), Endindex out of bounds must be $startpos<n<".($len-1), E_USER_ERROR);
} }
if ($startpos === $endpos) { if ($startpos === $endpos) {
return (string) $string[$startpos]; return (string) $string[$startpos];
} else { } else {
$len = $endpos - $startpos; $len = $endpos-$startpos;
} }
return substr($string, $startpos, $len + 1); return substr($string, $startpos, $len+1);
} }
/** /**
* Convert string buffer into array of lines. * Convert string buffer into array of lines.
* *
* @param string $buffer * @param string $buffer
* @return string[] lines of file. * @return array string[] lines of file.
*/ */
protected static function getLines(string $buffer): array protected static function getLines($buffer) {
{ $lines = preg_split("/\r?\n|\r/", $buffer);
$lines = preg_split("/\r?\n|\r/", $buffer); return $lines;
return $lines === false ? [] : $lines;
} }
}
}

View file

@ -2,16 +2,10 @@
namespace ctiso\Tools; namespace ctiso\Tools;
class StringUtil class StringUtil {
{
/** // from creole
* Преобразует строку в массив static function strToArray($str) {
* @param string $str
* @return array
*/
static function strToArray(string $str): array
{
$str = substr($str, 1, -1); // remove { } $str = substr($str, 1, -1); // remove { }
$res = []; $res = [];
@ -19,7 +13,7 @@ class StringUtil
$in_subarr = 0; $in_subarr = 0;
$toks = explode(',', $str); $toks = explode(',', $str);
foreach ($toks as $tok) { foreach($toks as $tok) {
if ($in_subarr > 0) { // already in sub-array? if ($in_subarr > 0) { // already in sub-array?
$subarr[$in_subarr][] = $tok; $subarr[$in_subarr][] = $tok;
if ('}' === substr($tok, -1, 1)) { // check to see if we just added last component if ('}' === substr($tok, -1, 1)) { // check to see if we just added last component
@ -27,7 +21,7 @@ class StringUtil
$in_subarr--; $in_subarr--;
} }
} elseif ($tok[0] === '{') { // we're inside a new sub-array } elseif ($tok[0] === '{') { // we're inside a new sub-array
if ('}' !== substr($tok, -1, 1)) { if ('}' !== substr($tok, -1, 1)) {
$in_subarr++; $in_subarr++;
// if sub-array has more than one element // if sub-array has more than one element
$subarr[$in_subarr] = []; $subarr[$in_subarr] = [];
@ -38,131 +32,81 @@ class StringUtil
} else { // not sub-array } else { // not sub-array
$val = trim($tok, '"'); // remove " (surrounding strings) $val = trim($tok, '"'); // remove " (surrounding strings)
// perform type castng here? // perform type castng here?
$res[] = $val; $res[] = $val;
} }
} }
return $res; return $res;
} }
/** //Нормализация строк на русском
* Нормализация строк на русском static function normalizeRussian($str) {
* @param string $str $result = preg_replace('/\s+/',' ', $str);
* @return string
*/
static function normalizeRussian(string $str): string
{
$result = preg_replace('/\s+/', ' ', $str);
if (is_string($result)) { if (is_string($result)) {
$result = trim($result); //Замена длинных пробелов на одинарные, пробелы по краям $result = trim($result); //Замена длинных пробелов на одинарные, пробелы по краям
$result = mb_strtolower($result); $result = mb_strtolower($result);
$result = preg_replace('/ё/', 'е', $str); //е на ё $result = preg_replace('/ё/','е', $str); //е на ё
} }
return $result; return $result;
} }
/** //Проверка равенства двух строк на русском языке.
* Проверка равенства двух строк на русском языке. static function equalRussianCheck($str1,$str2) {
* @param string $str1
* @param string $str2
* @return bool
*/
static function equalRussianCheck($str1, $str2): bool
{
return self::normalizeRussian($str1) == self::normalizeRussian($str2); return self::normalizeRussian($str1) == self::normalizeRussian($str2);
} }
/** /**
* Попадает ли строка в список вариантов * Попадает ли строка в список вариантов
* input: $str="foo1" $variants="foo1|foo2|foo3" * input: $str="foo1" $variants="foo1|foo2|foo3"
* output: true * output: true
* input: $str="foo" $variants="foo1|foo2|foo3" * input: $str="foo" $variants="foo1|foo2|foo3"
* output: false * output: false
* */
* @param string $str static function compare_string_to_variants($str, $variants){
* @param string $variants
* @return bool
*/
static function compare_string_to_variants($str, string $variants)
{
$variants_array = explode('|', $variants); $variants_array = explode('|', $variants);
$founded = false; $founded = false;
foreach ($variants_array as $variant) { foreach ($variants_array as $variant) {
$founded = $founded || self::equalRussianCheck($variant, $str); $founded = $founded || self::equalRussianCheck($variant, $str);
} }
return $founded; return $founded;
} }
/** static function mb_str_split($str) {
* Разбивает строку на массив символов return preg_split('~~u', $str, -1, PREG_SPLIT_NO_EMPTY);
* @param string $str
* @return array
*/
static function mb_str_split(string $str): array
{
return preg_split('~~u', $str, -1, PREG_SPLIT_NO_EMPTY) ?: [];
} }
/** static function mb_strtr($str, $from, $to) {
* Заменяет символы в строке на символы из другой строки
* @param string $str
* @param string $from
* @param string $to
* @return string
*/
static function mb_strtr($str, $from, $to)
{
return str_replace(self::mb_str_split($from), self::mb_str_split($to), $str); return str_replace(self::mb_str_split($from), self::mb_str_split($to), $str);
} }
static function encodestring(string $st): string static function encodestring($st) {
{ $st = self::mb_strtr($st,"абвгдеёзийклмнопрстуфхъыэ !+()", "abvgdeeziyklmnoprstufh_ie_____");
$st = self::mb_strtr($st, "абвгдеёзийклмнопрстуфхъыэ !+()", "abvgdeeziyklmnoprstufh_ie_____"); $st = self::mb_strtr($st,"АБВГДЕЁЗИЙКЛМНОПРСТУФХЪЫЭ", "ABVGDEEZIYKLMNOPRSTUFH_IE");
$st = self::mb_strtr($st, "АБВГДЕЁЗИЙКЛМНОПРСТУФХЪЫЭ", "ABVGDEEZIYKLMNOPRSTUFH_IE");
$st = strtr($st, [ $st = strtr($st, [
" " => '_', " " => '_',
"." => '_', "." => '_',
"," => '_', "," => '_',
"?" => '_', "?" => '_',
"\"" => '_', "\"" => '_',
"'" => '_', "'" => '_',
"/" => '_', "/" => '_',
"\\" => '_', "\\" => '_',
"%" => '_', "%" => '_',
"#" => '_', "#" => '_',
"*" => '_', "*" => '_',
"ж" => "zh", "ж"=>"zh", "ц"=>"ts", "ч"=>"ch", "ш"=>"sh",
"ц" => "ts", "щ"=>"shch","ь"=>"", "ю"=>"yu", "я"=>"ya",
"ч" => "ch", "Ж"=>"ZH", "Ц"=>"TS", "Ч"=>"CH", "Ш"=>"SH",
"ш" => "sh", "Щ"=>"SHCH","Ь"=>"", "Ю"=>"YU", "Я"=>"YA",
"щ" => "shch", "Й"=>"i", "й"=>"ie", "ё"=>"Ye",
"ь" => "", ""=>"N"
"ю" => "yu", ]);
"я" => "ya",
"Ж" => "ZH",
"Ц" => "TS",
"Ч" => "CH",
"Ш" => "SH",
"Щ" => "SHCH",
"Ь" => "",
"Ю" => "YU",
"Я" => "YA",
"Й" => "i",
"й" => "ie",
"ё" => "Ye",
"" => "N"
]);
return strtolower($st); return strtolower($st);
} }
/** static function validate_encoded_string($st) {
* Проверяет, является ли строка кодированной
* @param string $st
* @return int|false
*/
static function validate_encoded_string(string $st): int|false
{
$enc_st = self::encodestring($st); $enc_st = self::encodestring($st);
return preg_match('/^[\w_-]+(\.[\w_-]+)?$/', $enc_st); return preg_match('/^[\w_-]+(\.[\w_-]+)?$/', $enc_st);
} }
} }

View file

@ -3,18 +3,13 @@
/** /**
* Формат для композиции изображений * Формат для композиции изображений
*/ */
namespace ctiso\Tools; namespace ctiso\Tools;
use ctiso\Tools\Drawing; use ctiso\Tools\Drawing;
use GdImage;
class TemplateImage class TemplateImage
{ {
/** @var array<string, string> */ static $listfiles = array('jpg' => 'jpeg', 'gif' => 'gif', 'png' => 'png', 'bmp' => 'wbmp');
static array $listfiles = array('jpg' => 'jpeg', 'gif' => 'gif', 'png' => 'png', 'bmp' => 'wbmp'); static $listfonts = array(
/** @var array<string, string> */
static array $listfonts = array(
'georgia' => 'georgia.ttf', 'georgia' => 'georgia.ttf',
'georgiabd' => 'georgiab.ttf', 'georgiabd' => 'georgiab.ttf',
'georgiaz' => 'georgiaz.ttf', 'georgiaz' => 'georgiaz.ttf',
@ -29,28 +24,26 @@ class TemplateImage
'' => 'arial.ttf', '' => 'arial.ttf',
'dejavu' => 'DejaVuCondensedSerif.ttf', 'dejavu' => 'DejaVuCondensedSerif.ttf',
'dejavubd' => 'DejaVuCondensedSerifBold.ttf', 'dejavubd' => 'DejaVuCondensedSerifBold.ttf',
'dejavuz' => 'DejaVuCondensedSerifBoldItalic.ttf', 'dejavuz' =>'DejaVuCondensedSerifBoldItalic.ttf',
'dejavui' => 'DejaVuCondensedSerifItalic.ttf', 'dejavui' => 'DejaVuCondensedSerifItalic.ttf',
'miriad' => 'MyriadPro-Cond.ttf', 'miriad' => 'MyriadPro-Cond.ttf',
'miriadbd' => 'MyriadPro-BoldCond.ttf' 'miriadbd' => 'MyriadPro-BoldCond.ttf'
); );
/** @var string */
protected $src; protected $src;
protected array $context = []; protected $context = array();
protected array $data = []; protected $data = array();
protected string $base = "c:\\windows\\fonts\\"; protected $base = "c:\\windows\\fonts\\";
protected GdImage $image; protected $image;
/** @var bool */
protected $_prepare = true; protected $_prepare = true;
/** @var bool */
public $debug = false; public $debug = false;
public string $resource; public $resource;
public string $filename; public $filename;
function __construct(?array $template = null) function __construct ($template = null)
{ {
// assert(is_string($src));
if ($template) { if ($template) {
$this->data = $template; $this->data = $template;
} }
@ -59,165 +52,131 @@ class TemplateImage
/** /**
* Путь к изображению * Путь к изображению
*/ */
function resourcePath(string $path): void function resourcePath($path)
{ {
assert(is_string($path));
$this->resource = $path; $this->resource = $path;
} }
/** /**
* Путь у шрифтам * Путь у шрифтам
*/ */
function fontPath(string $path): void function fontPath($path)
{ {
assert(is_string($path));
$this->base = $path; $this->base = $path;
} }
/** function set($name, $value)
* @param string $name
* @param mixed $value
*/
function set(string $name, $value): void
{ {
$this->context['[' . $name . ']'] = $value; assert(is_string($name));
$this->context['['.$name.']'] = $this->encode($value);
} }
function setImage(string $name): void function setImage($name)
{ {
$this->filename = $name; $this->filename = $name;
$this->image = $this->imagefromfile($name); $this->image = $this->imagefromfile($name);
} }
/** function setEmptyImage($width, $height)
* Создает пустое изображение
* @param int<1, max> $width
* @param int<1, max> $height
*/
function setEmptyImage($width, $height): void
{ {
$this->image = imagecreatetruecolor($width, $height); $this->image = imagecreatetruecolor($width, $height);
} }
/** /**
* Создает изображение из файла * Создает изображение из файла
* @param string $file
* @return GdImage|null
*/ */
function imagefromfile(string $file) function imagefromfile($file)
{ {
assert(is_string($file));
$suffix = pathinfo($file, PATHINFO_EXTENSION); $suffix = pathinfo($file, PATHINFO_EXTENSION);
if (array_key_exists($suffix, self::$listfiles)) { if (array_key_exists($suffix, self::$listfiles)) {
$imageFn = 'imagecreatefrom' . self::$listfiles[$suffix]; return call_user_func('imagecreatefrom' . self::$listfiles[$suffix], $file);
if (!is_callable($imageFn)) {
return null;
}
return call_user_func($imageFn, $file);
} }
return null; return null;
} }
function getFontFile(string $name): string function getFontFile($name)
{ {
if (array_key_exists(strtolower($name), self::$listfonts)) { assert(is_string($name));
if(array_key_exists(strtolower($name), self::$listfonts)) {
return $this->base . self::$listfonts[$name]; return $this->base . self::$listfonts[$name];
} }
return $this->base . 'arial.ttf'; return $this->base . 'arial.ttf';
} }
function fontSuffix(array $style): string function fontSuffix($style)
{ {
if ($style[0] && $style[1]) return "z"; if($style[0] && $style[1]) return "z";
if ($style[0]) return "bd"; if($style[0]) return "bd";
if ($style[1]) return "i"; if($style[1]) return "i";
return ""; return "";
} }
/** function imageText($text, $value/*: \stdClass*/)
* @param string $text
* @param object{
* fontFamily: string,
* fontSize: int,
* fontStyle: array{string, string},
* color: string,
* align: array,
* valign: array,
* left: int,
* top: int,
* width: int,
* height: int
* } $value
*/
function imageText(string $text, object $value): void
{ {
assert(is_string($text));
$text = strtr($text, $this->context); $text = strtr($text, $this->context);
$size = $value->fontSize; $size = $value->fontSize;
$fontfile = $this->getFontFile($value->fontFamily . $this->fontSuffix($value->fontStyle)); $fontfile = $this->getFontFile($value->fontFamily . $this->fontSuffix($value->fontStyle));
$color = intval(substr($value->color, 1), 16); $color = intval(substr($value->color, 1), 16);
if ($value->align[0]) { if ($value->align[0]) {
$align = Drawing::ALIGN_LEFT; $align = Drawing::ALIGN_LEFT;
} elseif ($value->align[2]) { } elseif ($value->align[2]) {
$align = Drawing::ALIGN_RIGHT; $align = Drawing::ALIGN_RIGHT;
} else { } else {
$align = Drawing::ALIGN_CENTER; $align = Drawing::ALIGN_CENTER;
} }
if ($value->valign[0]) { if ($value->valign[0]) {
$valign = Drawing::ALIGN_TOP; $valign = Drawing::ALIGN_TOP;
} elseif ($value->valign[1]) { } elseif ($value->valign[1]) {
$valign = Drawing::ALIGN_CENTER; $valign = Drawing::ALIGN_CENTER;
} else { } else {
$valign = Drawing::ALIGN_BOTTOM; $valign = Drawing::ALIGN_BOTTOM;
} }
Drawing::imagettftextbox( Drawing::imagettftextbox($this->image, $size, 0, $value->left, $value->top, $color, $fontfile, $text,
$this->image, $value->width, $value->height,
$size, $align, $valign);
0,
$value->left,
$value->top,
$color,
$fontfile,
$text,
$value->width,
$value->height,
$align,
$valign
);
} }
/** /**
* Перекодировка текста * Перекодировка текста
* @deprecated Можно заменить encode($x) -> $x
*/ */
function encode(string $text): string function encode($text)
{ {
return $text; assert(is_string($text));
return $text; //iconv("WINDOWS-1251", "UTF-8", $text);
} }
/** function setSize($new_width, $new_height)
* @param int<1,max> $new_width
* @param ?int<1,max> $new_height
*/
function setSize(int $new_width, ?int $new_height = null): void
{ {
$width = imagesx($this->image); $width = imagesx($this->image);
$height = imagesy($this->image); $height = imagesy($this->image);
if ($new_height == null) { if ($new_height == null) {
$new_height = max(1, (int)ceil($height * $new_width / $width)); $new_height = ceil($height * $new_width / $width);
} }
// Resample // Resample
$image_p = imagecreatetruecolor($new_width, $new_height); $image_p = imagecreatetruecolor($new_width, $new_height);
imagecopyresampled($image_p, $this->image, 0, 0, 0, 0, $new_width, $new_height, $width, $height); imagecopyresampled($image_p, $this->image, 0, 0, 0, 0, $new_width, $new_height, $width, $height);
// imagecopyresized($image_p, $this->image, 0, 0, 0, 0, $new_width, $new_height, $width, $height); // imagecopyresized($image_p, $this->image, 0, 0, 0, 0, $new_width, $new_height, $width, $height);
$this->image = $image_p; $this->image = $image_p;
} }
function prepare(): void function prepare() {
{ if($this->_prepare) {
if ($this->_prepare) {
$this->_prepare = false; $this->_prepare = false;
foreach ($this->data as $value) { foreach ($this->data as $value) {
$this->imageText($value->text, $value); // break; $this->imageText($value->text, $value); // break;
@ -228,8 +187,10 @@ class TemplateImage
/** /**
* Генерирует изображение из шаблона * Генерирует изображение из шаблона
*/ */
function render(?string $file = null): string|bool function render($file = null)
{ {
assert(is_string($file) || is_null($file));
$this->prepare(); $this->prepare();
if ($file == null) { if ($file == null) {

View file

@ -2,20 +2,13 @@
namespace ctiso; namespace ctiso;
class UTF8 class UTF8 {
{ static function str_split($str, $split_length = 1) {
/** $split_length = (int) $split_length;
* @param string $str
* @param int $split_length
* @return list<string>
*/
static function str_split(string $str, int $split_length = 1): array
{
$split_length = (int) $split_length;
$matches = []; $matches = [];
preg_match_all('/.{' . $split_length . '}|[^\x00]{1,' . $split_length . '}$/us', $str, $matches); preg_match_all('/.{'.$split_length.'}|[^\x00]{1,'.$split_length.'}$/us', $str, $matches);
return $matches[0]; return $matches[0];
} }
} }

View file

@ -3,29 +3,25 @@
namespace ctiso; namespace ctiso;
class Url { class Url {
/** @var array<string, string> */ public $parts = [];
public array $parts = []; public $parent/*: Url*/;
public ?Url $parent;
/** function __construct() {
* @param Url|null $parent }
*/
function setParent($parent): void { function setParent($parent) {
$this->parent = $parent; $this->parent = $parent;
} }
/** function setQuery($parts) {
* @param string[] $parts
*/
function setQuery(array $parts): void {
$this->parts = $parts; $this->parts = $parts;
} }
function addQueryParam(string $key, ?string $value): void { function addQueryParam($key, $value) {
$this->parts[$key] = $value; $this->parts[$key] = $value;
} }
function toString(): string { function toString() {
return '?' . http_build_query(array_merge($this->parts, $this->parent ? $this->parent->parts : [])); return '?' . http_build_query(array_merge($this->parts, $this->parent ? $this->parent->parts : []));
} }
} }

View file

@ -6,11 +6,7 @@
namespace ctiso; namespace ctiso;
class UserMessageException extends \Exception { class UserMessageException extends \Exception {
/** @var string */
public $userMessage; public $userMessage;
/**
* @param string $message
*/
public function __construct($message) { public function __construct($message) {
parent::__construct($message); parent::__construct($message);
$this->userMessage = $message; $this->userMessage = $message;

View file

@ -1,57 +1,47 @@
<?php <?php
namespace ctiso\Validator\Rule; namespace ctiso\Validator\Rule;
use ctiso\Collection; use ctiso\Collection;
abstract class AbstractRule abstract class AbstractRule
{ {
public string $field; public $field;
protected ?string $errorMsg; protected $errorMsg;
/** @var RuleContext */
protected $ctx; protected $ctx;
public function __construct(string $field, ?string $errorMsg = null) public function __construct($field, $errorMsg = null)
{ {
$this->field = $field; $this->field = $field;
$this->errorMsg = $errorMsg; $this->errorMsg = $errorMsg;
} }
public function setName(string $field): self public function setName($field)
{ {
$this->field = $field; $this->field = $field;
return $this; return $this;
} }
public function setErrorMsg(?string $errorMsg): self public function setErrorMsg($errorMsg)
{ {
$this->errorMsg = $errorMsg; $this->errorMsg = $errorMsg;
return $this; return $this;
} }
public function getErrorMsg(): string public function getErrorMsg()
{ {
return $this->errorMsg; return $this->errorMsg;
} }
/** public function isValid(Collection $container, $status = null)
* @param Collection $container
* @param bool|null $status
* @return bool
*/
public function isValid(Collection $container, $status = null): bool
{ {
return true; return true;
} }
function skipEmpty(): bool { function skipEmpty() {
return true; return true;
} }
/** public function setContext($ctx)
* @param RuleContext $ctx
*/
public function setContext($ctx): void
{ {
$this->ctx = $ctx; $this->ctx = $ctx;
} }

View file

@ -4,18 +4,17 @@
* Проверка на число * Проверка на число
*/ */
namespace ctiso\Validator\Rule; namespace ctiso\Validator\Rule;
use ctiso\Validator\Rule\AbstractRule,
use ctiso\Validator\Rule\AbstractRule; ctiso\Collection;
use ctiso\Collection;
class Alpha extends AbstractRule class Alpha extends AbstractRule
{ {
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Поле должно содержать только буквы"; return "Поле должно содержать только буквы";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
return ctype_alpha($container->get($this->field)); return ctype_alpha($container->get($this->field));
} }

View file

@ -13,7 +13,7 @@ class Code extends AbstractRule
return "Неправильно указан персональный код"; return "Неправильно указан персональный код";
} }
function checkCode(array $code): bool { function checkCode($code): bool {
foreach($code as $c) { foreach($code as $c) {
if (empty($c)) { if (empty($c)) {
return false; return false;

View file

@ -9,30 +9,26 @@ use ctiso\Validator\Rule\AbstractRule,
class Count extends AbstractRule class Count extends AbstractRule
{ {
public int $size = 1; public $size = 1;
public ?int $max = null; public $max = null;
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Количество записей должно быть не менне {$this->size} и не более {$this->max}"; return "Количество записей должно быть не менне {$this->size} и не более {$this->max}";
} }
/** function not_empty($s) {
* @param string $s
* @return bool
*/
function notEmpty($s): bool {
return $s != ""; return $s != "";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
if (!$this->max) { if (!$this->max) {
$this->max = $this->size; $this->max = $this->size;
} }
$count = count(array_filter(array_map('trim', $count = count(array_filter(array_map('trim',
explode(";", $container->get($this->field))), [$this, 'notEmpty'])); explode(";", $container->get($this->field))), [$this, 'not_empty']));
return $count >= $this->size && $count <= ((int)$this->max); return $count >= $this->size && $count <= ((int)$this->max);
} }

View file

@ -9,16 +9,16 @@ use ctiso\Validator\Rule\AbstractRule,
class Date extends AbstractRule class Date extends AbstractRule
{ {
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Неверный формат даты"; return "Неверный формат даты";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
$pattern = "/^([0-9]{1,2})\/([0-9]{1,2})\/([0-9]{4})$/"; $pattern = "/^([0-9]{1,2})\/([0-9]{1,2})\/([0-9]{4})$/";
$matches = []; $matches = [];
return (preg_match($pattern, $container->get($this->field), $matches) return (preg_match($pattern, $container->get($this->field), $matches)
&& checkdate((int)$matches[2], (int)$matches[1], (int)$matches[3])); && checkdate((int)$matches[2], (int)$matches[1], (int)$matches[3]));
} }
} }

View file

@ -9,12 +9,12 @@ use ctiso\Validator\Rule\AbstractRule,
class Email extends AbstractRule class Email extends AbstractRule
{ {
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Неверный формат электронной почты"; return "Неверный формат электронной почты";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
$emails = explode(",", $container->get($this->field)); $emails = explode(",", $container->get($this->field));
foreach ($emails as $email) { foreach ($emails as $email) {

View file

@ -9,14 +9,20 @@ use ctiso\Validator\Rule\AbstractRule,
class EmailList extends AbstractRule class EmailList extends AbstractRule
{ {
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Неверный формат электронной почты"; return "Неверный формат электронной почты";
} }
public function isValid(Collection $container, $status = null): bool { public function isValid(Collection $container, $status = null) {
$user = '[a-zA-Z0-9_\-\.\+\^!#\$%&*+\/\=\?\|\{\}~\']+';
$doIsValid = '(?:[a-zA-Z0-9]|[a-zA-Z0-9][a-zA-Z0-9\-]*[a-zA-Z0-9]\.?)+';
$ipv4 = '[0-9]{1,3}(\.[0-9]{1,3}){3}';
$ipv6 = '[0-9a-fA-F]{1,4}(\:[0-9a-fA-F]{1,4}){7}';
$emails = $container->get($this->field); $emails = $container->get($this->field);
foreach ($emails as $email) { foreach ($emails as $email) {
// if (! preg_match("/^$user@($doIsValid|(\[($ipv4|$ipv6)\]))$/", $email)) return false;
if (! filter_var($email, FILTER_VALIDATE_EMAIL)) return false; if (! filter_var($email, FILTER_VALIDATE_EMAIL)) return false;
} }
return true; return true;

View file

@ -7,12 +7,12 @@ use ctiso\Validator\Rule\AbstractRule,
class FileName extends AbstractRule { class FileName extends AbstractRule {
public function getErrorMsg(): string public function getErrorMsg()
{ {
return 'Название файла может содержать только символы латиницы в нижнем регистре и цифры'; return 'Название файла может содержать только символы латиницы в нижнем регистре и цифры';
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
return Path::isName($container->get($this->field)); return Path::isName($container->get($this->field));
} }

View file

@ -9,42 +9,42 @@ use ctiso\Validator\Rule\AbstractRule,
class IsFile extends AbstractRule class IsFile extends AbstractRule
{ {
private array $type = []; private $type = array();
private int $maxsize = 1024; private $maxsize = 1024;
function skipEmpty(): bool { function skipEmpty() {
return false; return false;
} }
function setSize(int $size): void { function setSize($size) {
$this->maxsize = $size; $this->maxsize = $size;
} }
function setType(array $type): void { function setType(array $type) {
$this->type = $type; $this->type = $type;
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
if (!isset($_FILES[$this->field]) || $_FILES[$this->field]['error'] == UPLOAD_ERR_NO_FILE) { if (!isset($_FILES[$this->field]) || $_FILES[$this->field]['error'] == UPLOAD_ERR_NO_FILE) {
$this->setErrorMsg('Файл не загружен'); $this->setErrorMsg('Файл не загружен');
return false; return false;
} }
if ($_FILES[$this->field]['error'] == UPLOAD_ERR_INI_SIZE) { if ($_FILES[$this->field]['error'] == UPLOAD_ERR_INI_SIZE) {
$this->setErrorMsg('Превышен размер файла'); $this->setErrorMsg('Превышен размер файла');
return false; return false;
} }
$tmp = $_FILES[$this->field]; $tmp = $_FILES[$this->field];
if (!in_array($tmp['type'], $this->type)) { if (!in_array($tmp['type'], $this->type)) {
$this->setErrorMsg('Неверный формат файла'); $this->setErrorMsg('Неверный формат файла');
return false; return false;
} }
if (((int)$tmp['size']) > $this->maxsize*1024) { if (((int)$tmp['size']) > $this->maxsize*1024) {
$this->setErrorMsg('Неверный размер файла'); $this->setErrorMsg('Неверный размер файла');
return false; return false;
} }
return true; return true;

View file

@ -9,16 +9,14 @@ use ctiso\Validator\Rule\AbstractRule,
class MatchRule extends AbstractRule class MatchRule extends AbstractRule
{ {
/** @var string */
public $same; public $same;
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Поля не совпадают"; return "Поля не совпадают";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null) {
{
return (strcmp($container->get($this->field), $container->get($this->same)) == 0); return (strcmp($container->get($this->field), $container->get($this->same)) == 0);
} }
} }

View file

@ -6,16 +6,16 @@ use ctiso\Validator\Rule\AbstractRule,
class Notnull extends AbstractRule class Notnull extends AbstractRule
{ {
function skipEmpty(): bool { function skipEmpty() {
return false; return false;
} }
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Поле не должно быть пустым"; return "Поле не должно быть пустым";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
$data = $container->get($this->field); $data = $container->get($this->field);
if (is_array($data)) { if (is_array($data)) {

View file

@ -9,12 +9,12 @@ use ctiso\Validator\Rule\AbstractRule,
class Numeric extends AbstractRule class Numeric extends AbstractRule
{ {
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Значение поля должно быть числом"; return "Значение поля должно быть числом";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
return (is_numeric($container->get($this->field))); return (is_numeric($container->get($this->field)));
} }

View file

@ -1,20 +1,21 @@
<?php <?php
/**
*/
namespace ctiso\Validator\Rule; namespace ctiso\Validator\Rule;
use ctiso\Validator\Rule\AbstractRule, use ctiso\Validator\Rule\AbstractRule,
ctiso\Collection; ctiso\Collection;
class PregMatch extends AbstractRule class PregMatch extends AbstractRule
{ {
public string $pattern; public $pattern;
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Поле в неправильном формате"; return "Поле в неправильном формате";
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
return preg_match($this->pattern, $container->get($this->field)) !== false; return preg_match($this->pattern,$container->get($this->field));
} }
} }

View file

@ -1,10 +0,0 @@
<?php
namespace ctiso\Validator\Rule;
use ctiso\Collection;
use ctiso\HttpRequest;
interface RuleContext {
function getMessage(): string;
function isUnique(string $field, mixed $status, Collection $collection): bool;
}

View file

@ -9,23 +9,21 @@ use ctiso\Validator\Rule\AbstractRule,
class Time extends AbstractRule class Time extends AbstractRule
{ {
/** @var non-empty-string */ private $split = ":";
private string $split = ":";
public function getErrorMsg(): string public function getErrorMsg()
{ {
return "Неверный формат времени"; return "Неверный формат времени";
} }
static function checktime(int $hour, int $minute): bool static function checktime($hour, $minute)
{ {
if ($hour > -1 && $hour < 24 && $minute > -1 && $minute < 60) { if ($hour > -1 && $hour < 24 && $minute > -1 && $minute < 60) {
return true; return true;
} }
return false;
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
/** @var list<string> */ /** @var list<string> */
$tmp = explode($this->split, $container->get($this->field), 2); $tmp = explode($this->split, $container->get($this->field), 2);

View file

@ -3,20 +3,19 @@
/** /**
*/ */
namespace ctiso\Validator\Rule; namespace ctiso\Validator\Rule;
use ctiso\Validator\Rule\AbstractRule,
use ctiso\Validator\Rule\AbstractRule; ctiso\Collection;
use ctiso\Collection;
class Unique extends AbstractRule class Unique extends AbstractRule
{ {
public function getErrorMsg(): string public function getErrorMsg()
{ {
return $this->ctx->getMessage(); return $this->ctx->getMessage();
} }
public function isValid(Collection $container, $status = null): bool public function isValid(Collection $container, $status = null)
{ {
return $this->ctx->isUnique($container->getString($this->field), $status, $container); return $this->ctx->isUnique($container->get($this->field), $status, $container);
} }
} }

View file

@ -1,31 +1,23 @@
<?php <?php
///<reference path="Rule/Notnull.php"/>
/** /**
* Проверка коллекции * Проверка коллекции
*/ */
namespace ctiso\Validator; namespace ctiso\Validator;
use Exception; use Exception,
use ctiso\Validator\Rule\AbstractRule; ctiso\Validator\Rule\AbstractRule,
use ctiso\Validator\Rule\RuleContext; ctiso\Collection;
use ctiso\Collection;
/**
* @phpstan-type Rule array{
* validate?:string, // Описание правила см. формат правила ниже
* name:string, // Имя переменой для проверки
* context?:RuleContext
* }
*/
class Validator class Validator
{ {
/** @var AbstractRule[] */ protected $chain = []; // Массив правил
protected array $chain = []; // Массив правил protected $errorMsg = []; // Массив ошибок
/** @var array<string, string> */
protected array $errorMsg = []; // Массив ошибок
/** /**
* Поля по умолчанию * Поля по умолчанию
* @var array<string, class-string<AbstractRule>> * @var array<string, class-string<Rule\AbstractRule>>
*/ */
protected $type = [ protected $type = [
'date' => Rule\Date::class, 'date' => Rule\Date::class,
@ -44,27 +36,21 @@ class Validator
'reg' => Rule\PregMatch::class, 'reg' => Rule\PregMatch::class,
]; ];
/**
* @param Rule[] $rules
*/
function __construct($rules = []) { function __construct($rules = []) {
$this->addRuleList($rules); $this->addRuleList($rules);
} }
/** function addRuleType($name, $className) {
* Добавление правила в список
* @param string $name
* @param class-string<AbstractRule> $className
*/
function addRuleType(string $name, string $className): void {
$this->type[$name] = $className; $this->type[$name] = $className;
} }
/** /**
* Добавление списка правил в специальном формате * Добавление списка правил в специальном формате
* @param Rule[] $input * array(array('name' => fieldname, 'validate' => ruletext), ...)
* fieldname - Имя переменой для проверки
* ruletext - Описание правила см. формат правила ниже
*/ */
public function addRuleList(array $input): void public function addRuleList(array $input)
{ {
// Разбор правила проверки // Разбор правила проверки
// Формат правила 'rule1|rule2,param1=value1|rule3,param1=value1,param2=value2' // Формат правила 'rule1|rule2,param1=value1|rule3,param1=value1,param2=value2'
@ -97,7 +83,7 @@ class Validator
} }
} }
public function addRule(array|AbstractRule $rule): void { public function addRule($rule/*:z any*/) {
if (is_array($rule)) { if (is_array($rule)) {
$this->chain = array_merge($this->chain, $rule); $this->chain = array_merge($this->chain, $rule);
} else { } else {
@ -105,10 +91,7 @@ class Validator
} }
} }
/** public function skip($rule/*z: AbstractRule*/, $container/*: Collection*/) // -> Rule_Abstract
* @param AbstractRule $rule
*/
public function skip($rule, Collection $container): bool
{ {
if ($rule->skipEmpty()) { if ($rule->skipEmpty()) {
$data = $container->get($rule->field); $data = $container->get($rule->field);
@ -120,23 +103,17 @@ class Validator
return false; return false;
} }
function reset(): void { function reset() {
$this->errorMsg = []; $this->errorMsg = [];
} }
/** public function validate(Collection $container, $rule = null, $status = null)
* @param Collection $container
* @param AbstractRule[]|null $rules
* @param bool|null $status
* @return bool
*/
public function validate(Collection $container, $rules = null, $status = null): bool
{ {
$fields = []; $fields = [];
if ($rules) { if ($rule) {
$this->chain = $rules; $this->chain = $rule;
} }
// $this->errorMsg = [];
foreach ($this->chain as $rule) { foreach ($this->chain as $rule) {
//echo $key; //echo $key;
if (!in_array($rule->field, $fields) && !$this->skip($rule, $container) && !$rule->isValid($container, $status)) { if (!in_array($rule->field, $fields) && !$this->skip($rule, $container) && !$rule->isValid($container, $status)) {
@ -148,25 +125,22 @@ class Validator
return $this->isValid(); return $this->isValid();
} }
public function addError(string $name, string $message): void public function addError($name, $message)
{ {
$this->errorMsg[$name] = $message; $this->errorMsg[$name] = $message;
} }
public function isError(): bool public function isError()
{ {
return !empty($this->errorMsg); return !empty($this->errorMsg);
} }
public function isValid(): bool public function isValid()
{ {
return empty($this->errorMsg); return empty($this->errorMsg);
} }
/** public function getErrorMsg()
* @return array<string, string>
*/
public function getErrorMsg(): array
{ {
return $this->errorMsg; return $this->errorMsg;
} }

View file

@ -1,46 +1,45 @@
<?php <?php
namespace ctiso\View; namespace ctiso\View;
use ctiso\View\View,
use ctiso\View\View; PHPTAL;
use PHPTAL;
use PHPTAL_TranslationService;
class Composite extends View class Composite extends View
{ {
private PHPTAL $tal; private $tal;
public $config;
function __construct(string $file) function __construct($file)
{ {
parent::__construct(); parent::__construct();
$this->tal = new PHPTAL($file); $this->tal = new PHPTAL($file);
$this->tal->setPhpCodeDestination(PHPTAL_PHP_CODE_DESTINATION); $this->tal->setPhpCodeDestination(PHPTAL_PHP_CODE_DESTINATION);
$this->tal->setEncoding(PHPTAL_DEFAULT_ENCODING); $this->tal->setEncoding(PHPTAL_DEFAULT_ENCODING);
$this->tal->setTemplateRepository(PHPTAL_TEMPLATE_REPOSITORY); $this->tal->setTemplateRepository(PHPTAL_TEMPLATE_REPOSITORY);
$this->tal->setOutputMode(PHPTAL::HTML5); $this->tal->setOutputMode(PHPTAL::HTML5);
$this->tal->stripComments(true); $this->tal->stripComments(true);
// $this->tal->addPreFilter(new PHPTAL_PreFilter_Normalize()); // $this->tal->addPreFilter(new PHPTAL_PreFilter_Normalize());
} }
function set(string $key, mixed $val): void { function set($key, $val) {
if ($key == 'title') { if ($key == 'title') {
$this->setTitle($val); $this->setTitle($val);
} }
$this->tal->set($key, $val); $this->tal->set($key, $val);
} }
function __set(string $key, mixed $val): void { function __set($key, $val) {
$this->tal->set($key, $val); $this->tal->set($key, $val);
} }
function execute(): string function execute()
{ {
$this->processChild(); $this->processChild();
return $this->tal->execute(); return $this->tal->execute();
} }
function setTranslator(PHPTAL_TranslationService $t): void { function setTranslator($t) {
$this->tal->setTranslator($t); $this->tal->setTranslator($t);
} }
} }

View file

@ -1,40 +0,0 @@
<?php
namespace ctiso\View;
class JsonView extends \stdClass {
/** @var array */
public $_data = [];
/** @var string */
public $_name = '';
/**
* @param string $name
*/
function __construct($name) {
$this->_name = $name;
}
/**
* @param string $key
* @param mixed $value
*/
function set($key, $value): void {
$this->_data[$key] = $value;
}
/**
* @param string $key
* @param mixed $value
*/
function __set($key, $value): void {
$this->_data[$key] = $value;
}
/**
* @return string
*/
function execute() {
return json_encode($this->_data) ?: '';
}
}

View file

@ -8,14 +8,6 @@ namespace ctiso\View;
class Pages class Pages
{ {
static int $range = 5; static int $range = 5;
/**
* @param int $page номер страницы
* @param int $onpage количество страниц на странице
* @param int $count количество всех страниц
* @param string $prefix префикс
* @return array{'all': bool, 'list': array, 'first': string, 'last': string, 'next': string|false, 'prev': string|false}
*/
static function getPages($page, $onpage, $count, $prefix = '?') static function getPages($page, $onpage, $count, $prefix = '?')
{ {
$n = ceil($count / $onpage); $n = ceil($count / $onpage);
@ -28,30 +20,30 @@ class Pages
} }
return [ return [
'all' => ($n > 1), 'all' => ($n > 1),
'list' => $result, 'list' => $result,
'first' => self::href($prefix, $url . 1), 'first' => self::href($prefix, $url . 1),
'last' => self::href($prefix, $url . $n), 'last' => self::href($prefix, $url . $n),
'next' => ($page == $n)? false : self::href($prefix, $url . ($page + 1)) , 'next' => ($page == $n)? false : self::href($prefix, $url . ($page + 1)) ,
'prev' => ($page == 1)? false : self::href($prefix, $url . ($page - 1))]; 'prev' => ($page == 1)? false : self::href($prefix, $url . ($page - 1))];
} }
/** /**
* @deprecated * @deprecated
* @param int $page номер страницы * @param $page int номер страницы
* @param int $onpage количество элем на странице * @param $onpage int количество элем на странице
* @return string * @return string
*/ */
static function getLimit(int $page, int $onpage) { static function getLimit($page/*: number*/, $onpage/*: number*/) {
if ($page <= 0) { $page = 1; } if ($page <= 0) { $page = 1; }
return "LIMIT $onpage OFFSET " . ($page - 1) * $onpage; return "LIMIT $onpage OFFSET " . ($page - 1) * $onpage;
} }
/** /**
* @param int $page номер страницы * @param $page int номер страницы
* @param int $onpage количество элем на странице * @param $onpage int количество элем на странице
* @return array * @return array
*/ */
static function _getLimit(int $page, int $onpage) { static function _getLimit($page, $onpage) {
if ($page <= 0) { $page = 1; } if ($page <= 0) { $page = 1; }
return [ return [
'count' => $onpage, 'count' => $onpage,
@ -59,13 +51,8 @@ class Pages
]; ];
} }
/** static function href($prefix, $x) {
* @param string $prefix префикс return $prefix . $x;
* @param string $x строка
* @return string
*/
static function href($prefix, $x) {
return $prefix . $x;
} }
} }

View file

@ -7,70 +7,41 @@ namespace ctiso\View;
*/ */
class Plain extends \stdClass class Plain extends \stdClass
{ {
/** @var string */
protected $document; protected $document;
/** @var array */ protected $values = array();
protected $values = [];
/**
* Конструктор
* @param string $document шаблон
*/
public function __construct ($document) public function __construct ($document)
{ {
$this->document = $document; $this->document = $document;
} }
/** public function set($key, $value)
* Установка значения
* @param string $key ключ
* @param mixed $value значение
*/
public function set($key, $value): void
{ {
$this->values[$key] = $value; $this->values[$key] = $value;
} }
/** public function import($list)
* Импорт значений
* @param array $list список значений
*/
public function import($list): void
{ {
$this->values = array_merge($this->values, $list); $this->values = array_merge($this->values, $list);
} }
/** public function __set($key, $value)
* @param string $key ключ
* @param mixed $value значение
*/
public function __set($key, $value): void
{ {
$this->set($key, $value); $this->set($key, $value);
} }
/**
* Выполнение шаблона
* @return string
*/
public function execute() public function execute()
{ {
$result = $this->values; $result = $this->values;
return self::getTemplateContent ($this->document, $result); return self::getTemplateContent ($this->document, $result);
} }
/** static function getTemplateContent($document, $result)
* Получение содержимого шаблона
* @param string $document шаблон
* @param array $result результат
* @return string содержимое шаблона
*/
static function getTemplateContent(string $document, $result): string
{ {
ob_start (); ob_start ();
include ($document); include ($document);
$content = ob_get_contents (); $content = ob_get_contents ();
ob_clean (); ob_clean ();
return $content === false ? '' : $content; return $content;
} }
} }

View file

@ -8,32 +8,16 @@ class Top extends Composite
{ {
/** /**
* Общая строка заголовка * Общая строка заголовка
* @var int
*/ */
public $mid = 0; public $mid = 0;
/** @var array */ public $require = array();
public $require = []; public $deps = array();
/** @var array */
public $deps = [];
/** @var \ctiso\Registry */
public $config;
/**
* Заголовок страницы
*
* @return string
*/
public function getTitle() public function getTitle()
{ {
return implode(" - ", array_filter($this->doTree('_title', false), [$this, 'isNotNull'])); return implode(" - ", array_filter($this->doTree('_title', false), [$this, 'isNotNull']));
} }
/**
* Идентификатор
*
* @param string $pref
* @return string
*/
function getId($pref) function getId($pref)
{ {
$this->mid++; $this->mid++;
@ -45,8 +29,7 @@ class Top extends Composite
* *
* @return string * @return string
*/ */
#[\Override] public function render()
public function execute(): string
{ {
$this->doTree('alias'); $this->doTree('alias');
@ -85,12 +68,11 @@ class Top extends Composite
} }
$init = []; $init = [];
/** @var View $item */
foreach ($s->_section as $key => $item) { foreach ($s->_section as $key => $item) {
if ($item->codeGenerator !== null) { $ss /*: View*/= $item;
if ($ss->codeGenerator !== null) {
// функцию которая вычисляет а не результат // функцию которая вычисляет а не результат
$part = call_user_func($item->codeGenerator, $this, $key, $value); $part = call_user_func($ss->codeGenerator, $this, $key, $value);
$init[] = $part; $init[] = $part;
} }
} }
@ -107,14 +89,14 @@ class Top extends Composite
$this->set('title', $this->getTitle()); $this->set('title', $this->getTitle());
$this->set('jspath', $this->config->get('system', 'web')); $this->set('jspath', $this->config->get('system', 'web'));
// //
return parent::execute(); // execute+phptal ?? return $this->execute(); // execute+phptal ??
} }
/** /**
* Массив имен файлов скриптов * Массив имен файлов скриптов
* *
* @return array * return array
*/ */
public function getScripts() public function getScripts()
{ {
@ -131,11 +113,6 @@ class Top extends Composite
return implode("\n", $this->doTree('_scriptstring')); return implode("\n", $this->doTree('_scriptstring'));
} }
/**
* Строка со скриптом
*
* @return string
*/
public function getScriptStartup() public function getScriptStartup()
{ {
return implode("\n", $this->doTree('_startup')); return implode("\n", $this->doTree('_startup'));
@ -144,10 +121,11 @@ class Top extends Composite
/** /**
* Массив имен файлов стилей * Массив имен файлов стилей
* *
* @return array * return array
*/ */
public function getStyleSheet() public function getStyleSheet()
{ {
return $this->doTree('_stylesheet'); return $this->doTree('_stylesheet');
} }
} }

View file

@ -5,35 +5,24 @@ use Exception;
class View extends \stdClass class View extends \stdClass
{ {
/** @var array<View|string> Вложенные шаблоны */ protected $_section = array(); // Вложенные шаблоны
protected array $_section = []; // Блоки
protected $_stylesheet = array(); // Массив стилей текущего шаблона
protected $_script = array(); // Массив скриптов текущего шаблона
public $_scriptstring = array();
protected $_startup = array();
protected $_values = array();
/** @var string[] $_stylesheet Массив стилей текущего шаблона */ protected $_title = null; // Заголовок текущего шаблона
protected array $_stylesheet = [];
/** @var string[] $_script Массив скриптов текущего шаблона */
protected array $_script = [];
/** @var string[] $_scriptstring */
public array $_scriptstring = [];
/** @var string[] $_startup */
protected array $_startup = [];
protected array $_values = []; public $active_module;
public $module_action;
public $prefix;
protected ?string $_title = null; // Заголовок текущего шаблона public $suggestions; //подсказки
public ?string $active_module = null; public $alias = [];
public string $module_action; public $codeGenerator = null;
/** @var string[] */
public array $prefix;
/** @var string[] */
public array $suggestions = []; //подсказки
/** @var array<string, string|array<string, string>> */
public array $alias = [];
// public $codeGenerator = null;
/** @var View|null */
public $parent_view = null; public $parent_view = null;
function __construct() { function __construct() {
@ -45,17 +34,14 @@ class View extends \stdClass
* @param string $section переменная шаблона * @param string $section переменная шаблона
* @param View|string $view вложенный шаблон * @param View|string $view вложенный шаблон
*/ */
public function setView($section, $view): void public function setView($section, $view)
{ {
$this->_section[$section] = $view; $this->_section [$section] = $view;
if (is_object($view)) { if (is_object($view)) {
$view->parent_view = $this; $view->parent_view = $this;
} }
} }
/**
* @param array $values
*/
public function assignValues($values): void public function assignValues($values): void
{ {
$this->_values = $values; $this->_values = $values;
@ -67,7 +53,7 @@ class View extends \stdClass
* *
* @param string $name путь к скрипту * @param string $name путь к скрипту
*/ */
public function addScript(string $name): void public function addScript($name): void
{ {
$output = $this->resolveName($this->alias, $name . '?' . http_build_query($this->prefix)); $output = $this->resolveName($this->alias, $name . '?' . http_build_query($this->prefix));
$this->_script [] = $output; $this->_script [] = $output;
@ -76,18 +62,18 @@ class View extends \stdClass
/** /**
* Добавляет код скипта к текущему шаблону * Добавляет код скипта к текущему шаблону
* *
* @param string $code строка javascript кода * @param string $name строка javascript кода
*/ */
public function addScriptRaw(string $code, bool $startup = false): void public function addScriptRaw($name, $startup = false): void
{ {
if ($startup) { if ($startup) {
$this->_startup [] = $code; $this->_startup [] = $name;
} else { } else {
$this->_scriptstring [] = $code; $this->_scriptstring [] = $name;
} }
} }
public function setPrefix(string $name, string $val): void { public function setPrefix($name, $val) {
$this->prefix[$name] = $val; $this->prefix[$name] = $val;
} }
@ -96,7 +82,7 @@ class View extends \stdClass
* *
* @param string $name путь к стилю * @param string $name путь к стилю
*/ */
public function addStyleSheet(string $name): void public function addStyleSheet($name)
{ {
$output = $this->resolveName($this->alias, $name . '?' . http_build_query($this->prefix)); $output = $this->resolveName($this->alias, $name . '?' . http_build_query($this->prefix));
$this->_stylesheet [] = $output; $this->_stylesheet [] = $output;
@ -106,9 +92,9 @@ class View extends \stdClass
* Рекурсивно извлекает из значение свойства обьекта * Рекурсивно извлекает из значение свойства обьекта
* *
* @param string $list Имя свойства * @param string $list Имя свойства
* @param bool $flatten * @param boolean $flatten
*/ */
protected function doTree($list, bool $flatten = true): array protected function doTree($list, $flatten = true)
{ {
$result = ($flatten == true) ? $this->$list : [$this->$list]; $result = ($flatten == true) ? $this->$list : [$this->$list];
foreach ($this->_section as $value) { foreach ($this->_section as $value) {
@ -123,15 +109,7 @@ class View extends \stdClass
return $result; return $result;
} }
/* /*abstract*/ public function set($key, $value)
function getTitleArray(): array {
return array_reduce($this->_section, fn ($result, $item) =>
is_object($item) ? array_merge($result, $item->getTitleArray()) : $result, []);
}
*/
/*abstract*/ public function set(string $key, mixed $value): void
{ {
} }
@ -147,35 +125,31 @@ class View extends \stdClass
/** /**
* Установка заголовка шаблона * Установка заголовка шаблона
*
* @param string $title
*/ */
public function setTitle(string $title): void public function setTitle($title): void
{ {
$this->_title = $title; $this->_title = $title;
} }
protected function isNotNull(?string $title): bool protected function isNotNull($title): bool
{ {
return $title !== null; return $title !== null;
} }
/**
* @param array<string, string|array<string, string>> $alias
*/
function setAlias($alias): void function setAlias($alias): void
{ {
$this->alias = $alias; $this->alias = $alias;
} }
function addAlias(string $name, string $path): void function addAlias($name, $path): void
{ {
$this->alias[$name] = $path; $this->alias[$name] = $path;
$this->set($name, $path); $this->set($name, $path);
} }
/** function findFile($pathlist, string $file): string {
* @param string[] $pathlist
*/
function findFile(array $pathlist, string $file): string {
foreach($pathlist as $key => $www) { foreach($pathlist as $key => $www) {
if (file_exists($key . '/' . $file)) { if (file_exists($key . '/' . $file)) {
@ -185,12 +159,8 @@ class View extends \stdClass
throw new Exception("file not found: $file"); throw new Exception("file not found: $file");
} }
// FIXME: Префикс, конфликтует с протоколом
/** function resolveName($alias, $file) {
* FIXME: Префикс, конфликтует с протоколом
* @param string[]|string[][] $alias
*/
function resolveName($alias, string $file): string {
list($type, $filename) = explode(":", $file, 2); list($type, $filename) = explode(":", $file, 2);
// Сделать поиск а не просто замену папки при совпадении имени // Сделать поиск а не просто замену папки при совпадении имени
@ -205,23 +175,11 @@ class View extends \stdClass
return $file; return $file;
} }
/** public function resolveAllNames($alias, $list) {
* @param string[][] $alias
* @param string[] $list
* @return string[]
*/
public function resolveAllNames($alias, array $list): array {
$result = []; $result = [];
foreach($list as $item) { foreach($list as $item) {
$result [] = $this->resolveName($alias, $item); $result [] = $this->resolveName($alias, $item);
} }
return $result; return $result;
} }
/**
* Шаблон всегда возвращает строку
*/
function execute(): string {
return '';
}
} }

View file

@ -26,15 +26,12 @@ class ZipFile extends ZipArchive
// Read all Files in Dir // Read all Files in Dir
$dir = opendir($location); $dir = opendir($location);
if (!$dir) {
throw new \RuntimeException("Enable to open dir '$dir'");
}
while (($file = readdir($dir)) !== false) while (($file = readdir($dir)) !== false)
{ {
if (in_array($file, $this->ignore)) continue; if (in_array($file, $this->ignore)) continue;
// Rekursiv, If dir: FlxZipArchive::addDir(), else ::File(); // Rekursiv, If dir: FlxZipArchive::addDir(), else ::File();
$call = (is_dir($location . $file)) ? $this->addDir(...) : $this->addFile(...); $call = (is_dir($location . $file)) ? 'addDir' : 'addFile';
call_user_func($call, $location . $file, $name . $file); call_user_func([$this, $call], $location . $file, $name . $file);
} }
} }