<?php
define('ABSPATH', dirname(__FILE__)); //Absolute path to index
/*
* Method 1
* Dependency Injection
*/
class Config{
private $_config = NULL;
private $_filepath = NULL;
public function __construct($filepath){
$this->_filepath = $filepath;
$this->load();
}
private function load(){
if ($this->_config === NULL){
if (!file_exists($this->_filepath)){
throw new Exception('Configuration file not found');
}else{
$this->_config = parse_ini_file($this->_filepath);
}
}
}
public function get($key){
if ($this->_config === NULL){
throw new Exception('Configuration file is not loaded');
}
if (isset($this->_config[$key])){
return $this->_config[$key];
}else{
throw new Exception('Variable ' . $key . ' does not exist in configuration file');
}
}
}
function getLost($where, $why, $who){
//do smth
}
try{
$config = new Config(ABSPATH . '/app/config.ini');
getLost('here', 'because', $config->get('who'));
}catch(Exception $e){
echo $e->getMessage();
}
?>
<?php
/*
* Method 2
* Config is accessed via static class
*/
class Config{
private static $_config = NULL;
private static $_filepath = NULL;
public static function load($filepath){
if (self::$_config === NULL){
self::$_filepath = $filepath;
if (!file_exists(self::$_filepath)){
throw new Exception('Configuration file not found');
}else{
self::$_config = parse_ini_file(self::$_filepath);
}
}
}
public static function get($key){
if (self::$_config !== NULL){
throw new Exception('Configuration file is not loaded');
}
if (isset(self::$_config[$key])){
return self::$_config[$key];
}else{
throw new Exception('Variable ' . $key . ' does not exist in configuration file');
}
}
}
function getLost($where, $why){
$who = Config::get('who');
}
try{
Config::load(ABSPATH . '/app/config.ini');
getLost('here', 'because');
}catch(Exception $e){
echo $e->getMessage();
}
?>
<?php
/**
* Method 3
* Config variable needed is passed as function parameter
*/
$config = parse_ini_file(ABSPATH . '/app/config.ini');
function getLost($where, $why, $who){
//do smth
}
getLost('here', 'because', $config['who']);
?>
<?php
/*
* Mathod 4
* Config is accessed inside a function via global
*/
$config = parse_ini_file(ABSPATH . '/app/config.ini');
function getLost($where, $why){
global $config;
$who = $config['who'];
}
getLost('here', 'because');
?>
哪些变体是最佳实践解决方案?如果没有,请提供您的变体。
答案 0 :(得分:2)
如果用$ onlyTheStuffThatMattersToThatFunction替换$ config,我会说第一种情况更好
答案 1 :(得分:2)
我会选择变体1(依赖注入)。
变体2使用static
方法,这些方法已经说明了global
方法的另一种方式。我们都知道那是对的吗?正确?
Variant 3不是我的最爱,因为它不够OOP ;-),但是很严肃:如果你(或使用你的代码的人)想要改变配置文件的格式怎么办?
变式4:global
...
所以基本上我对其他选项的问题是:可测性,紧耦合,全局。
它是变体1。我还会为config类创建一个接口,以便稍后为您的配置添加一个不同的类。例如。你(或其他人)想要使用XML文件进行配置。
我要改变的另一件事是private
。如果有人想扩展课程,他/她就不会以这种方式访问变量。我的经验法则(不确定是否所有人都同意这一点)只是在你希望人们有权访问它时才制作内容private
(例如,它会在某些时候发生变化)。使用private
的危险在于人们会通过黑客来绕过它来做他们想做的事。
详细了解SOLID并查看Google clean code会谈以获取更多信息。
只需2美分。