Accessing custom values from your Application.ini anywhere in your application using Zend_Registry

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

01; DB Settings
02resources.db.adapter = PDO_MYSQL
03resources.db.params.host = localhost
04resources.db.params.username = root
05resources.db.params.password = secret
06resources.db.params.dbname = gamedb
07 
08; My Settings
09GameSettings.startCredits = 100
10GameSettings.startPos.y = 288
11GameSettings.startPos.x = 10
12 
13; Misc Settings
14resources.frontController.params.displayExceptions = 0
15resources.view.helperPath = APPLICATION_PATH “/views/helpers”
16phpSettings.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

1protected function _initConfig() {
2 
3        Zend_Registry::set('config', $this->getOptions());
4 
5}

In your application model, controller or view you can now access your settings like this:

1//Get config values
2$config = Zend_Registry::get('config');
3 
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

01class MyClass extends Zend_Something {
02 
03       protected $_gameSettings = array();
04 
05       public function init() {
06 
07               $config = Zend_Registry::get('config');
08 
09               $this->_gameSettings = $config;
10 
11       }
12...
13}

Comments are closed.