23 Commits
2.0 ... 4.0.1

Author SHA1 Message Date
User
88b597d78d 20240423#6 2024-04-23 05:43:03 +03:00
User
de10cbae31 20240423#5 2024-04-23 05:41:46 +03:00
User
98c2d37870 20240423#4 2024-04-23 05:25:47 +03:00
User
1258828b2d 20240423#3 2024-04-23 05:17:27 +03:00
User
8ef1287567 20240423#2 2024-04-23 05:16:53 +03:00
User
009832a046 20240423#1 2024-04-23 05:15:45 +03:00
User
4ad36c6034 20240413#9 2024-04-13 12:24:53 +03:00
User
8346234859 20240413#8 2024-04-13 12:16:12 +03:00
User
cb5408be4a 20240413#7 2024-04-13 11:33:47 +03:00
User
041ee17263 20240413#6 2024-04-13 04:41:58 +03:00
User
15ec4a46bc 20240413#5 2024-04-13 04:38:40 +03:00
User
da2bab7338 20240413#4 2024-04-13 04:18:46 +03:00
User
5b8ef84efa 20240413#3 2024-04-13 00:50:33 +03:00
User
9abb4d4d6b 20240413#2 2024-04-13 00:39:19 +03:00
User
171def66b8 20240413#1 2024-04-13 00:38:33 +03:00
User
f6b47693a4 20240412#5 2024-04-12 03:32:09 +03:00
User
36861b6967 20240412#4 2024-04-12 03:28:10 +03:00
User
44250475c1 20240412#3 2024-04-12 03:26:36 +03:00
User
a35a50eb53 20240412#2 2024-04-12 03:24:10 +03:00
User
c2d2ad9177 20240412#1 2024-04-12 03:18:04 +03:00
User
035783e264 20231011#1 2023-10-11 00:22:06 +03:00
User
cdf9a13242 20231010#1 2023-10-10 23:13:19 +03:00
User
7df5be904f 20231007#1 2023-10-07 23:11:28 +03:00
45 changed files with 548 additions and 208 deletions

View File

@@ -8,10 +8,12 @@
#
# Real environment variables win over .env files.
# PROD / DEV
APP_MODE=DEV
APP_COMPONENTS_FILE=config/app.php
APP_NODES_FILE=config/nodes.php
CONTAINER_DIR=config/container
APP_COMPONENTS_FILE=application/config/app.php
APP_NODES_FILE=application/config/nodes.php
CONTAINER_DIR=application/config/container
CONTAINER_CACHE=var/cache/container
# Default page

View File

@@ -5,9 +5,9 @@
Stable version
```bash
composer create-project rmphp/skeleton
composer create-project rmphp/skeleton project-name
```
```bash
composer create-project rmphp/skeleton:"^2.0"
composer create-project rmphp/skeleton:"^4.0" project-name
```

View File

@@ -4,18 +4,18 @@ return [
/**
* Путь к файлу фабрики возвращающий реализацию RouterInterface или сам экземпляр класса
*/
\Rmphp\Foundation\RouterInterface::class => 'config/factories/routerFactory.php',
\Rmphp\Foundation\RouterInterface::class => 'application/config/factories/routerFactory.php',
/**
* Путь к файлу фабрики возвращающий реализацию TemplateInterface или сам экземпляр класса
*/
\Rmphp\Foundation\TemplateInterface::class => 'config/factories/templateFactory.php',
\Rmphp\Foundation\TemplateInterface::class => 'application/config/factories/templateFactory.php',
/**
* Путь к файлу фабрики возвращающий реализацию PSR-3 LoggerInterface или сам экземпляр класса
*/
\Psr\Log\LoggerInterface::class => 'config/factories/loggerFactory.php',
\Psr\Log\LoggerInterface::class => 'application/config/factories/loggerFactory.php',
/**
* Путь к файлу фабрики возвращающий реализацию PSR-11 ContainerInterface или сам экземпляр класса
*/
\Psr\Container\ContainerInterface::class => 'config/factories/containerFactory.php',
\Psr\Container\ContainerInterface::class => 'application/config/factories/containerFactory.php',
];

View File

@@ -0,0 +1,15 @@
<?php
use Rmphp\Cache\Cache;
use Rmphp\Cache\CacheInterface;
use Rmphp\Session\Session;
use Rmphp\Session\SessionInterface;
use Rmphp\Storage\Mysql\MysqlStorage;
use Rmphp\Storage\Mysql\MysqlStorageInterface;
return [
MysqlStorageInterface::class => DI\create(MysqlStorage::class)->constructor(json_decode(getenv("MYSQL_PARAM"), true)),
SessionInterface::class => DI\create(Session::class)->constructor(),
CacheInterface::class => DI\create(Cache::class)->constructor("../var/cache"),
'App\*\Domain\Repository\*Repository\*RepositoryInterface' => DI\autowire('App\*\Repository\Mysql\*Repository'),
];

View File

@@ -2,17 +2,17 @@
use DI\ContainerBuilder;
$containerDir = (getenv("CONTAINER_DIR"))?:"config/container";
$containerDir = (getenv("CONTAINER_DIR")) ?: "application/config/container";
$containerCache = (getenv("CONTAINER_CACHE"))?:"var/cache/container";
$dependencies = glob(dirname(__DIR__,2)."/".$containerDir."/*.php");
$dependencies = glob(dirname(__DIR__,3)."/".$containerDir."/*.php");
$dependenciesCollection = array_map(function ($dependenciesFile){
return require $dependenciesFile;
}, $dependencies);
try {
$builder = new ContainerBuilder();
if(getenv("APP_MODE") != "DEV") $builder->enableCompilation(dirname(__DIR__,2)."/".$containerCache);
if(getenv("APP_MODE") == "PROD") $builder->enableCompilation(dirname(__DIR__,3)."/".$containerCache);
$builder->addDefinitions(array_replace_recursive(...$dependenciesCollection));
return $builder->build();
} catch (Exception $e) {echo $e->getMessage();}

View File

@@ -0,0 +1,2 @@
<?php
return (new \Monolog\Logger('system'))->pushHandler(new \Monolog\Handler\StreamHandler(dirname(__DIR__, 3).'/var/logs/log'.date('Ymd').'.log'));

View File

@@ -0,0 +1,2 @@
<?php
return (new \Rmphp\Content\Content('/templates/base.tpl'))->setSubtemplatePath('/templates');

View File

@@ -0,0 +1,14 @@
<?php
/**
* Правила для точек монтирования слоев
*/
# Example:
# ['key'=>'/', "action"=>"App\\Main\\Controllers\\IndexController", "method"=>"index"],
# ['key'=>'/', 'router'=>'config/routes/main/routes.php'],
# ['key'=>'/', 'router'=>[]],
return [
['key'=>'/', 'router'=>'application/config/routes/main/routes.php'],
];

View File

@@ -6,7 +6,7 @@
params: ""
# Empty
- key: "[any]"
- key: "<@any>"
routes:
- action: "App\\Main\\Controllers\\IndexController"
method: "emptyAction"

View File

@@ -0,0 +1,149 @@
<?php
namespace Base\Controllers;
use Laminas\Diactoros\Response\HtmlResponse;
use Laminas\Diactoros\Response\JsonResponse;
use Laminas\Diactoros\Response\RedirectResponse;
use Laminas\Diactoros\Response\TextResponse;
use Psr\Http\Message\ResponseInterface;
use Rmphp\Kernel\Main;
use Throwable;
abstract class AbstractController extends Main {
/**
* @param Throwable $throwable
* @param array $data
* @return void
*/
public function logException(Throwable $throwable, array $data = []) : void {
$this->logger()->warning($throwable->getMessage()." on ".$throwable->getFile().":".$throwable->getLine(), $data);
}
/**
* @param Throwable $throwable
* @param array $data
* @return void
*/
public function logError(Throwable $throwable, array $data = []) : void {
$this->logger()->error($throwable->getMessage()." on ".$throwable->getFile().":".$throwable->getLine(), $data);
}
/**
* @param string $name
* @param string $value
* @return void
*/
public function addHeader(string $name, string $value) : void {
$this->globals()->addHeader($name, $value);
}
/**
* @param $html
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function htmlResponse($html, int $status = 200, array $headers = []) : ResponseInterface {
return new HtmlResponse($html, $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
/**
* @param $text
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function textResponse($text, int $status = 200, array $headers = []) : ResponseInterface {
return new TextResponse($text, $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
/**
* @param array $array
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function jsonResponse(array $array, int $status = 200, array $headers = []) : ResponseInterface {
return new JsonResponse($array, $status, array_merge($this->globals()->response()->getHeaders(), $headers), JSON_UNESCAPED_UNICODE|JSON_PRETTY_PRINT);
}
/**
* @param string $url
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function redirectResponse(string $url, int $status = 302, array $headers = []) : ResponseInterface {
return new RedirectResponse($url, $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
/**
* @param string $point
* @param string $subtemplate
* @param array $data
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function renderResponse(string $point, string $subtemplate, array $data = [], int $status = 200, array $headers = []) : ResponseInterface {
$this->template()->setSubtemplate($point, $this->getTemplatePath($subtemplate), $data);
return new HtmlResponse($this->template()->getResponse(), $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
/**
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function render(int $status = 200, array $headers = []) : ResponseInterface {
return new HtmlResponse($this->template()->getResponse(), $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
/**
* @param string $point
* @param string $string
* @return void
*/
public function templSetValue(string $point, string $string) : void {
$this->template()->setValue($point, $string);
}
/**
* @param string $point
* @param string $string
* @return void
*/
public function templAddValue(string $point, string $string) : void {
$this->template()->addValue($point, $string);
}
/**
* @param string $point
* @param string $subtemplate
* @param array $resource
* @return void
*/
public function templSetSubtemplate(string $point, string $subtemplate, array $resource = []) : void {
$this->template()->setSubtemplate($point, $this->getTemplatePath($subtemplate), $resource);
}
/**
* @param string $point
* @param string $subtemplate
* @param array $resource
* @return void
*/
public function templAddSubtemplate(string $point, string $subtemplate, array $resource = []) : void {
$this->template()->addSubtemplate($point, $this->getTemplatePath($subtemplate), $resource);
}
/**
* @param string $path
* @return string
*/
public function getTemplatePath(string $path) : string {
return $path;
}
}

View File

@@ -0,0 +1,35 @@
<?php
namespace Base\Controllers;
use Base\Domain\DomainException;
use Base\Services\DTOException;
use Base\Services\ServiceException;
use Exception;
use Throwable;
abstract class AbstractPageController extends AbstractController {
/**
* @param Exception $exception
* @param array $data
* @return void
*/
public function exceptionPage(Exception $exception, array $data = []) : void {
$this->logException($exception, $data);
$this->syslogger()->warning($exception->getMessage()." on ".$exception->getFile().":".$exception->getLine(), $data);
$this->template()->setSubtemplate("main", "/templates/error/errpage.tpl", [
"errorText" => "<span style='color:red'>Error: ".$exception->getMessage()." (".$exception->getCode().")"."</span>"
]);
}
/**
* @param Throwable $e
* @return string
*/
public function checkError(Throwable $e) : string {
($e instanceof Exception) ? $this->logException($e) : $this->logError($e);
if($e instanceof DTOException || $e instanceof DomainException || $e instanceof ServiceException) return $e->getMessage();
return "Ошибка. Дата и время: ".date("d-m-Y H:i:s");
}
}

View File

@@ -1,6 +1,6 @@
<?php
namespace App\Common\Controllers;
namespace Base\Controllers;
class NotFoundException extends \Exception {

View File

@@ -0,0 +1,88 @@
<?php
/**
* Created by PhpStorm.
* User: Zuev Yuri
*/
namespace Base\Domain;
use ReflectionClass;
abstract class AbstractObject {
/**
* @param array $data
* @return static
* @throws DomainException
*/
public static function fromData(array $data) : static {
$self = new static();
$self->setProperties($data);
return $self;
}
/**
* @param array $data
* @return void
* @throws DomainException
*/
public function setProperties(array $data) : void {
$class = new ReflectionClass(static::class);
foreach ($class->getProperties() as $property) {
$propertyNameSnakeCase = strtolower(preg_replace("'([A-Z])'", "_$1", $property->getName()));
// data[propertyName] ?? data[property_name] ?? null
$value = $data[$property->getName()] ?? $data[$propertyNameSnakeCase] ?? null;
// если есть внутренний метод (приоритетная обработка)
if($class->hasMethod('set'.ucfirst($property->getName()))) $this->{'set'.ucfirst($property->getName())}($value);
// Если тип свойства класс (valueObject)
elseif($property->hasType() && class_exists($property->getType()->getName())) $this->{$property->getName()} = new ($property->getType()->getName())($value);
// если значения не пустое
elseif(isset($value)) $this->{$property->getName()} = $value;
}
}
/**
* @param callable|null $method
* @return array
*/
public function getProperties(callable $method = null) : array {
$objectData = get_object_vars($this);
foreach ($objectData as $fieldName => $value)
{
// to option_id
$fieldNameSnakeCase = strtolower(preg_replace("'([A-Z])'", "_$1", $fieldName));
// если есть внутренний метод (приоритетная обработка)
if(method_exists($this, 'get'.ucfirst($fieldName))) {
$out[$fieldNameSnakeCase] = $this->{'get'.ucfirst($fieldName)}($value);
}
// если тип свойства класс (valueObject)
elseif($value instanceof ValueObjectInterface && null !== $value->get()) {
$out[$fieldNameSnakeCase] = $value->get();
}
// если передана callable функция через которую нужно пропустить все элементы
elseif(isset($method) && !is_array($value) && !is_object($value)) {
$out[$fieldNameSnakeCase] = $method($value);
}
// если это логическое значение
elseif(is_bool($value)){
$out[$fieldNameSnakeCase] = (int) $value;
}
// если это дробное число
elseif(is_float($value)) {
$out[$fieldNameSnakeCase] = $value;
}
// если это целое число
elseif(is_int($value)) {
$out[$fieldNameSnakeCase] = $value;
}
// если это строка
elseif(is_string($value)) {
$out[$fieldNameSnakeCase] = $value;
}
}
return $out ?? [];
}
}

View File

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

View File

@@ -0,0 +1,16 @@
<?php
/**
* Created by PhpStorm.
* User: Zuev Yuri
* Date: 23.04.2024
* Time: 3:58
*/
namespace Base\Domain;
interface ValueObjectInterface {
public function get();
public function __toString(): string;
}

View File

@@ -0,0 +1,35 @@
<?php
namespace Base\Repository;
use Base\Domain\AbstractObject;
use Rmphp\Storage\Mysql\MysqlStorageInterface;
abstract class AbstractMysqlRepository {
public function __construct(
public readonly MysqlStorageInterface $mysql
) {}
/**
* @throws RepositoryException
*/
public function saveEntity(AbstractObject $object, string $table) : AbstractObject {
$in = $object->getProperties(function ($value){
return (is_string($value)) ? $this->mysql->escapeStr($value) : $value;
});
try {
if (!empty($object->id) && !empty($this->mysql->findById($table, $object->id))) {
$this->mysql->updateById($table, $in, $object->id);
} else {
$this->mysql->insert($table, $in);
$object->id = $this->mysql->mysql()->insert_id;
}
} catch (\Throwable $throwable) {throw new RepositoryException($throwable->getMessage());}
return $object;
}
}

View File

@@ -1,6 +1,6 @@
<?php
namespace App\Common\Repository;
namespace Base\Repository;
use Throwable;

View File

@@ -0,0 +1,27 @@
<?php
namespace Base\Services;
use ReflectionClass;
abstract class AbstractDTO {
/**
* @param array $data
* @return static
*/
static function fromArray(array $data) : static {
$class = new ReflectionClass(static::class);
$self = new static();
foreach ($class->getProperties() as $property) {
$propertyNameSnakeCase = strtolower(preg_replace("'([A-Z])'", "_$1", $property->getName()));
// data[propertyName] ?? data[property_name] ?? null
$value = $data[$property->getName()] ?? $data[$propertyNameSnakeCase] ?? null;
// если есть внутренний метод (приоритетная обработка)
if($class->hasMethod('set'.ucfirst($property->getName()))) $self->{'set'.ucfirst($property->getName())}($value);
// прямое присовение по умолчанию
elseif(isset($value)) $self->{$property->getName()} = $value;
}
return $self;
}
}

View File

@@ -0,0 +1,10 @@
<?php
namespace Base\Services;
use Rmphp\Kernel\Main;
abstract class AbstractService extends Main {
}

View File

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

View File

@@ -1,7 +1,7 @@
<?php
namespace App\Common\Services;
namespace Base\Services;
use Throwable;

View File

@@ -12,14 +12,17 @@
"monolog/monolog": "^2.3",
"php-di/php-di": "^6.3",
"symfony/dotenv": "^6.2",
"rmphp/kernel": "^2.0",
"rmphp/kernel": "^4.0",
"rmphp/router": "^1.0",
"rmphp/content": "^1.0",
"rmphp/storage": "^1.0"
"rmphp/content": "^3.0",
"rmphp/storage": "^3.0",
"rmphp/session": "^1.0",
"rmphp/cache-file": "^1.0"
},
"autoload": {
"psr-4": {
"App\\": "src"
"App\\": "src",
"Base\\": "application/src"
}
},
"scripts": {

View File

@@ -1,9 +0,0 @@
<?php
use Rmphp\Storage\MysqlStorage;
use Rmphp\Storage\MysqlStorageInterface;
return [
MysqlStorageInterface::class => DI\create(MysqlStorage::class)->constructor(json_decode(getenv("MYSQL_PARAM"), true)),
'App\*\Domain\Repository\*RepositoryInterface' => DI\autowire('App\*\Repository\Mysql\*Repository'),
];

View File

@@ -1,2 +0,0 @@
<?php
return (new \Monolog\Logger('system'))->pushHandler(new \Monolog\Handler\StreamHandler(__DIR__.'/../../var/logs/log'.date('Ymd').'.log'));

View File

@@ -1,2 +0,0 @@
<?php
return (new \Rmphp\Content\Content('templates/base.tpl'))->setSubtemplePath('templates');

View File

@@ -1,16 +0,0 @@
<?php
/**
* Правила для точек монтирования модулей
* Каждый массив определяет порядок срабатывания, часть url с которого
*/
# Example:
# ['key'=>'/', "action"=>"App\\Main\\Controllers\\IndexController", "method"=>"index"],
# ['key'=>'/', 'router'=>'config/routes/main/routes.php'],
# ['key'=>'/', 'router'=>'config/routes/main.yaml'],
return [
['key'=>'/', 'router'=>'config/routes/main.yaml'],
];

View File

@@ -1,12 +0,0 @@
- key: "/"
routes:
- action: "App\\Main\\Controllers\\IndexController"
method: "index"
params: ""
# Empty
- key: "[any]"
routes:
- action: "App\\Main\\Controllers\\IndexController"
method: "emptyAction"
params: ""

View File

@@ -1,4 +1,10 @@
body{font-family: Arimo, sans-serif; font-size: 15px; margin: 0; padding: 0;}
body{
font-family: Arial, sans-serif;
font-size: 15px;
margin: 0;
padding: 0;
background:#d4e5d8;
}
* {
scrollbar-width: thin;
scrollbar-color: #CCC #FFF
@@ -15,4 +21,20 @@ body{font-family: Arimo, sans-serif; font-size: 15px; margin: 0; padding: 0;}
border: 3px solid #FFF;
}
h1{padding: 0 30px}
h1{padding: 0 30px}
.main-block{
display: flex;
align-items: center;
height: 50vh;
flex-direction: column;
justify-content: center;
color:#888;
}
.main-block__header{
font-size: 70px;
}
.main-block__text{
font-size: 30px;
}

View File

@@ -12,9 +12,6 @@ require_once dirname(__DIR__).'/vendor/autoload.php';
(new Symfony\Component\Dotenv\Dotenv())->usePutenv()->loadEnv(dirname(__DIR__).'/.env');
error_reporting(0); ini_set('display_errors','Off');
if(getenv("APP_MODE") == 'DEV'){
error_reporting(E_ALL); ini_set('display_errors','On');
}
$request = ServerRequestFactory::fromGlobals();
@@ -22,8 +19,7 @@ $app = new App();
$response = $app->handler($request, (new Response())->withHeader("Content-Type", "text/html; charset=utf-8"));
(new ResponseEmitter())->emit($response);
if(getenv("APP_MODE") == 'DEV' || in_array("Dev", $response->getHeader("App-Mode"))){
if(($response->getStatusCode() !== 200 && getenv("APP_MODE") == 'DEV') || in_array("Dev", $response->getHeader("App-Mode"))){
$app->syslogger()->dump("Response", $response);
addShutdownInfo($app->syslogger()->getLogs());
}

View File

@@ -1,78 +0,0 @@
<?php
namespace App\Common\Controllers;
use Laminas\Diactoros\Response\HtmlResponse;
use Laminas\Diactoros\Response\JsonResponse;
use Laminas\Diactoros\Response\RedirectResponse;
use Laminas\Diactoros\Response\TextResponse;
use Psr\Container\ContainerExceptionInterface;
use Psr\Container\NotFoundExceptionInterface;
use Psr\Http\Message\ResponseInterface;
use Rmphp\Kernel\Main;
abstract class AbstractController extends Main {
/**
* @param \Throwable $throwable
* @param array $data
* @return void
*/
public function logException(\Throwable $throwable, array $data = []) : void {
$this->logger()->warning($throwable->getMessage()." on ".$throwable->getFile().":".$throwable->getLine(), $data);
}
/**
* @param string $name
* @param string $value
* @return void
*/
public function addHeader(string $name, string $value) : void {
$this->globals()->addHeader($name, $value);
}
/**
* @param $html
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function htmlResponse($html, int $status = 200, array $headers = []) : ResponseInterface {
return new HtmlResponse($html, $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
/**
* @param $text
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function textResponse($text, int $status = 200, array $headers = []) : ResponseInterface {
$this->container()->set("showDebugLogs", false);
return new TextResponse($text, $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
/**
* @param array $array
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function jsonResponse(array $array, int $status = 200, array $headers = []) : ResponseInterface {
$this->container()->set("showDebugLogs", false);
return new JsonResponse($array, $status, array_merge($this->globals()->response()->getHeaders(), $headers), JSON_UNESCAPED_UNICODE|JSON_PRETTY_PRINT);
}
/**
* @param string $url
* @param int $status
* @param array $headers
* @return ResponseInterface
*/
public function redirectResponse(string $url, int $status = 302, array $headers = []) : ResponseInterface {
$this->container()->set("showDebugLogs", false);
return new RedirectResponse($url, $status, array_merge($this->globals()->response()->getHeaders(), $headers));
}
}

View File

@@ -1,36 +0,0 @@
<?php
namespace App\Common\Controllers;
abstract class AbstractPageController extends AbstractController {
/**
* @param string $point
* @param string $string
*/
public function templateAddValue(string $point, string $string) : void {
$this->template()->addValue($point, $string);
}
/**
* @param string $point
* @param string $subTempl
* @param array $resource
*/
public function templateSetSubtemple(string $point, string $subTempl, array $resource = []) : void {
$this->template()->setSubtemple($point, $subTempl, $resource);
}
/**
* @param \Exception $exception
* @param array $data
* @return void
*/
public function exceptionPage(\Exception $exception, array $data = []) : void {
$this->logException($exception, $data);
$this->syslogger()->warning($exception->getMessage()." on ".$exception->getFile().":".$exception->getLine(), $data);
$this->templateSetSubtemple("main", "/main/errpage.tpl", [
"errorText" => "<span style='color:red'>Error: ".$exception->getMessage()." (".$exception->getCode().")"."</span>"
]);
}
}

View File

@@ -1,10 +0,0 @@
<?php
namespace App\Common\Services;
use Rmphp\Kernel\Main;
class AbstractService extends Main {
}

View File

@@ -1,8 +1,7 @@
<?php
namespace App\Main\Controllers;
use App\Common\Controllers\AbstractPageController;
use App\Common\Services\ServiceException;
use Base\Controllers\AbstractPageController;
use Psr\Http\Message\ResponseInterface;
@@ -13,13 +12,13 @@ class IndexController extends AbstractPageController {
*/
public function index() : bool|ResponseInterface {
try {
$this->addHeader("App-Mode", "Dev");
//$this->addHeader("App-Mode", "Dev");
$this->template()->setValue("title", "Главная");
$this->template()->setSubtemple("main", "main/index.tpl", [
$this->template()->setSubtemplate("main", "/main/index.tpl", [
"date" => (new \DateTime())->format('Y-m-d H:i:s')
]);
}
catch(ServiceException $exception){}
return true;
catch(\Throwable $e){$error = $this->checkError($e);}
return $this->render();
}
}

View File

@@ -1,10 +1,38 @@
<!DOCTYPE html>
<html lang="en">
<html lang="ru">
<head>
<meta charset="UTF-8">
<title>404</title>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>404 Page Not Found</title>
<style>
body{
font-family: Arial, sans-serif;
font-size: 15px;
margin: 0;
padding: 0;
background: #c9d1e1;
}
.err-page{
display: flex;
align-items: center;
height: 50vh;
flex-direction: column;
justify-content: center;
color:#888;
}
.err-page__header{
font-size: 70px;
}
.err-page__text{
font-size: 30px;
}
</style>
</head>
<body>
<h1>Error 404</h1>
<div class="err-page">
<div class="err-page__header">404</div>
<div class="err-page__text">Page Not Found</div>
</div>
</body>
</html>

View File

@@ -1,10 +1,38 @@
<!DOCTYPE html>
<html lang="en">
<html lang="ru">
<head>
<meta charset="UTF-8">
<title>500</title>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>501 Not Implemented</title>
<style>
body{
font-family: Arial, sans-serif;
font-size: 15px;
margin: 0;
padding: 0;
background: #e1c9d1;
}
.err-page{
display: flex;
align-items: center;
height: 50vh;
flex-direction: column;
justify-content: center;
color:#888;
}
.err-page__header{
font-size: 70px;
}
.err-page__text{
font-size: 30px;
}
</style>
</head>
<body>
<h1>Error 500</h1>
<div class="err-page">
<div class="err-page__header">501</div>
<div class="err-page__text">Not Implemented</div>
</div>
</body>
</html>

View File

@@ -1,5 +1,8 @@
<article>
<main>
<h1>Hellow</h1>
<div class="main-block">
<div class="main-block__header">Hello</div>
<div class="main-block__text">Now is <?=$this->date?></div>
</div>
</main>
</article>