In most applications you need to have some settings that control how the application will behave. Variables that can be changed to tweak how some specific thing is handled. In Zend Framework 1.10 this is pretty straightforward. I’m here going to show you how I solved this problem. I’m sure there are many ways to accomplish this but this is the way I used.
You create your custom variables in your Application.ini
02 | resources.db.adapter = PDO_MYSQL |
03 | resources.db.params.host = localhost |
04 | resources.db.params.username = root |
05 | resources.db.params.password = secret |
06 | resources.db.params.dbname = gamedb |
09 | GameSettings.startCredits = 100 |
10 | GameSettings.startPos.y = 288 |
11 | GameSettings.startPos.x = 10 |
14 | resources.frontController.params.displayExceptions = 0 |
15 | resources.view.helperPath = APPLICATION_PATH “/views/helpers” |
16 | phpSettings. date .timezone = "Europe/London" |
and then you use the Zend_Registry to make the config settings available anywhere in your application by adding the following code to your Bootstrap.php
1 | protected function _initConfig() { |
3 | Zend_Registry::set( 'config' , $this ->getOptions()); |
In your application model, controller or view you can now access your settings like this:
2 | $config = Zend_Registry::get( 'config' ); |
4 | $startCredits = $config [ 'GameSettings' ][ 'startCredits' ]; |
5 | $startPosY = $config [ 'GameSettings' ][ 'startPos' ][ 'y' ]; |
6 | $startPosX = $config [ 'GameSettings' ][ 'startPos' ][ 'x' ]; |
You can also include the config object in you init() method to have it easily accessible in your class
01 | class MyClass extends Zend_Something { |
03 | protected $_gameSettings = array (); |
05 | public function init() { |
07 | $config = Zend_Registry::get( 'config' ); |
09 | $this ->_gameSettings = $config ; |
Comments are closed.