Скачать презентацию
Идет загрузка презентации. Пожалуйста, подождите
Презентация была опубликована 11 лет назад пользователемinqbator.quartsoft.com.ua
1 Разработка на Yii QuartSoft Corp. Системный архитектор Климов П.В.
2 Yii – PHP Framework ООП Модульность Простота Высокое быстродействие Основные характеристики:
3 Prado Ruby on Rails jQuery Symfony Joomla Истоки Yii:
4 Магия в PHP class Component { public $publicProperty; protected $_protectedProperty; public function setProtectedProperty($value) { $this->_protectedProperty = $value; return true; } public function getProtectedProperty() { return $this->_protectedProperty; }
5 class Component { public function __get($propertyName) { $methodName = 'get'.$propertyName; if (method_exists($this, $methodName)) { return call_user_func( array($this, $methodName) ); } else { throw new Exception("Missing property {$propertyName}'!"); } public function __set($propertyName, $value) { $methodName = 'set'.$propertyName; if (method_exists($this, $methodName)) { return call_user_func( array($this, $methodName), $value ); } else { throw new Exception("Missing property {$propertyName}'!"); }
6 $component = new Component(); $component->publicProperty = 'Public value'; echo($component->publicProperty); $component->protectedProperty = 'Protected value'; echo($component->protectedProperty);
7 Автозагрузка классов require_once('components/SomeClass.php'); $someObj = new SomeClass(); … require_once('components/OtherClass.php'); $otherObj = new OtherClass(); … require_once('components/SomeClass.php'); $anotherSomeObj = new SomeClass(); Подключение файлов по принципу DLL:
8 class Autoloader { public function autoload($className) { $classFileName = components/'.$className.'.php'; if (file_exists($classFileName)) { require_once($classFileName); return true; } return false; } public function register() { return spl_autoload_register( array($this, 'autoload') ); } public function __construct() { $this->register(); }
9 Автозагрузка классов в контексте Yii: Yii::import(application.components.SomeClass'); Yii::import(application.components.OtherClass'); … $someObj = new SomeClass(); SomeComponent => /home/www/…/components/SomeClass.php, OtherComponent => /home/www/…/components/OtherClass.php, «Карта» автозагрузки классов:
10 Порождение компонентов function createComponent(array $componentConfig) { $className = $componentConfig['class']; if (empty($className)) { throw new Exception(Missing parameter "class"!'); } unset($componentConfig['class']); if (!class_exists($className)) { Yii::import($className); // Автозагрузка } $component = new $className(); foreach($componentConfig as $name=>$value) { $component->$name = $value; // Конфигурация } return $component; } $value) { $component->$name = $value; // Конфигурация } return $component; }">
11 $componentConfig = array( 'class'=>'CUrlManager', 'urlFormat'=>'path', 'showScriptName'=>false, 'rules'=>array( '/'=>'site/index', ' / *'=>' /view', ), ); $component = createComponent($componentConfig); Задание любого объекта через массив:
12 Фабрика компонентов Component Factory $componentsConfig $components * 1 Create and store by name ComponentAComponentB Client createComponent() getComponent() Request component by name …
13 Одиночка (Singleton) class Singleton { private static $_selfInstance = null; public static function getInstance() { if (!is_object(self::$_selfInstance)) { self::$_selfInstance = new Singleton(); } return self::$_selfInstance; } private function __construct() { // закрытый конструктор } $singleton = Singleton::getInstance();
14 Фабрика компонентов(Component Factory) + Одиночка (Singleton) = Приложение Yii (Yii Application)
15 $config = array( 'name'=>'My Web Application', … 'components'=>array( 'user'=>array( 'allowAutoLogin'=>true, ), … ), ); Yii::createWebApplication($config)->run(); … $application = Yii::app(); $user = Yii::app()->getComponent(user);
16 MVC в Yii Controller Widget ModelView Application Application Components
17 Маршрутизация web запроса :Application :Request :UrlManager :Controller Apache run get request get route by request controller/action run action output request
18 Доступ к базе данных через PDO PDOClientPDO Driver PDO MySQLPDO PostgreSQL … 1 1 MySQL PostgreSQL
19 Абстракция базы данных PDO Client 1 DbConnection DbSchema Schema MySQL Schema PostgreSQL 1 … DbCommand Control information 1 1 Compose and execute queries * 1
20 Active Record ActiveFinder insert() update() delete() find() populateRecord() Client DbCommand Find self instances Instantiate by query result Database access 1 * * * *
21 $allUsers = User::model()->findAll(); $newUser = new User(); $newUser->name = new user; $newUser->save(); $existingUser = User::model()->findByName(testuser); $existingUser-> = $existingUser->save();
22 События (Events) в Yii Component raiseEvent() eventHandlers Event sender data Handler * * * Raise Handle List of PHP callbacks PHP Callback
23 function handleBeforeSave(CEvent $event) { $sender = $event->sender; // Изменяем состояние отправителя события: $sender->create_date = date('Y-m-d H:i:s', strtotime('NOW')); } $user = new User(); // Назначаем обработчик события: $user->onBeforeSave = handleBeforeSave; $user->name = test name; $user->save(); echo $user->create_date; // Вывод: :42
24 Проблема множественного наследования ActiveRecord ArPosition Save custom records display order ArFile Bind physical file with the db record ArPositionFile Position + File
25 Поведение (Behavior) Component __call() attachBehavior() behaviors Behavior getOwner() events() owner 1 * Event data 1 1 * * Raise Handle
26 class ArBehaviorExample extends CBehavior { public function behaviorMethod() { $owner = $this->getOwner(); $owner->create_date = date('Y-m-d H:i:s', strtotime('NOW')); } $user = new User(); // Добавляем поведение: $behavior = new ArBehaviorExample(); $user->attachBehavior($behavior); // Вызываем метод поведения: $user->behaviorMethod(); echo $user->create_date; // Вывод: :46
27 Yii Динамический код Компонентная структура Приложение = «одиночка» + «фабрика» Отложенная загрузка и создание объектов MVC «PDO» и «Active Record» События Поведения
Еще похожие презентации в нашем архиве:
© 2024 MyShared Inc.
All rights reserved.