教程:运行环境(Tutorial: Environments)

在本章节中,我们将会说明如何让同一套代码在开发环境和生产环境使用不同的配置文件,以及调用不同类。

项目结构(Project Structure)

下面是我们的项目结构:

  1. evn/
  2. app/
  3. config/
  4. config.php
  5. config.dev.php
  6. controllers/
  7. dev/
  8. models/
  9. dev/
  10. views/
  11. dev/
  12. public/
  13. index.php

可以看到,在这里控制器、模型和视图目录分别多了一个,我将利用自动加载器查找目录的优先顺序来实现不同环境调用不同类,以及利用视图类查找视图文件的先后顺序来实现渲染不同的视图文件。

引导文件(Bootstrap)

下面是引导文件 public/index.php 的实现,在这里我们是通过域名的不同来区别开发或生产环境,你们也可以通过配置来设定环境变量:

  1. <?php
  2.  
  3. $config_basedir = __DIR__ . '/../apps/config/';
  4. Phalcon\Config\Adapter\Php::setBasePath($config_basedir);
  5.  
  6. $config = new Phalcon\Config\Adapter\Php('config.php');
  7.  
  8. $host = Phalcon\Arr::get($_SERVER, 'HTTP_HOST', 'localhost');
  9.  
  10. // 如果域名中包含 dev,就认为是开发环境
  11. if (stripos($host, 'dev') !== FALSE) {
  12. $environment = 'dev';
  13. } else if (stripos($host, 'test') !== FALSE) {
  14. $environment = 'test';
  15. } else {
  16. $environment = 'prod';
  17. }
  18.  
  19. if ($environment == 'dev') {
  20. $filename = 'config.dev.php';
  21. if (file_exists($config_basedir . $filename)) {
  22. $config->merge($config->load($filename));
  23. }
  24. }
  25.  
  26. if ($environment == 'test') {
  27. $filename = 'config.test.php';
  28. if (file_exists($config_basedir . $filename)) {
  29. $config->merge($config->load($filename));
  30. }
  31. }
  32.  
  33. $loader = new \Phalcon\Loader();
  34.  
  35. if ($environment == 'dev') {
  36. $dirs = array(
  37. $config->controllersDir . 'dev/',
  38. $config->controllersDir,
  39. $config->modelsDir . 'dev/',
  40. $config->modelsDir,
  41. );
  42. } else {
  43. $dirs = array(
  44. $config->controllersDir,
  45. $config->modelsDir,
  46. );
  47. }
  48.  
  49. $loader->registerDirs($dirs)->register();
  50.  
  51. $di = new \Phalcon\Di\FactoryDefault();
  52.  
  53. $di->set('view', function () use ($config, $environment) {
  54. $view = new \Phalcon\Mvc\View();
  55. if ($environment == 'dev') {
  56. $dirs = array(
  57. $config->viewsDir . 'dev/',
  58. $config->viewsDir,
  59. );
  60. } else {
  61. $dirs = $config->viewsDir;
  62. }
  63.  
  64. $view->setBasePath($dirs);
  65. return $view;
  66. }, true);
  67.  
  68. // 如果为生产环境,则设置 metadata 缓存
  69. if ($environment == 'prod') {
  70. $di->set('modelsMetadata', function() {
  71. $metaData = new \Phalcon\Mvc\Model\Metadata\Files(array(
  72. 'metaDataDir' => __DIR__ . DIRECTORY_SEPARATOR . '../apps/cache/metadata/'
  73. ));
  74. return $metaData;
  75. }, true);
  76. }

原文: http://www.myleftstudio.com/reference/tutorial-environment.html