Merge pull request #12417 from aydun/core_124_template_upgrade
[civicrm-core.git] / Civi / Core / Container.php
CommitLineData
fa184193
TO
1<?php
2namespace Civi\Core;
46bcf597 3
8bcc0d86 4use Civi\API\Provider\ActionObjectProvider;
0085db83 5use Civi\Core\Event\SystemInstallEvent;
10760fa1 6use Civi\Core\Lock\LockManager;
fa184193
TO
7use Doctrine\Common\Annotations\AnnotationReader;
8use Doctrine\Common\Annotations\AnnotationRegistry;
9use Doctrine\Common\Annotations\FileCacheReader;
10use Doctrine\Common\Cache\FilesystemCache;
11use Doctrine\ORM\EntityManager;
12use Doctrine\ORM\Mapping\Driver\AnnotationDriver;
13use Doctrine\ORM\Tools\Setup;
40787e18 14use Symfony\Component\Config\ConfigCache;
fa184193 15use Symfony\Component\DependencyInjection\ContainerBuilder;
c8074a93 16use Symfony\Component\DependencyInjection\ContainerInterface;
fa184193 17use Symfony\Component\DependencyInjection\Definition;
40787e18 18use Symfony\Component\DependencyInjection\Dumper\PhpDumper;
fa184193 19use Symfony\Component\DependencyInjection\Reference;
40787e18
TO
20use Symfony\Component\EventDispatcher\ContainerAwareEventDispatcher;
21use Symfony\Component\EventDispatcher\DependencyInjection\RegisterListenersPass;
fa184193
TO
22
23// TODO use Symfony\Component\DependencyInjection\Loader\YamlFileLoader;
24
6550386a
EM
25/**
26 * Class Container
27 * @package Civi\Core
28 */
fa184193
TO
29class Container {
30
31 const SELF = 'civi_container_factory';
32
fa184193 33 /**
04855556
TO
34 * @param bool $reset
35 * Whether to forcibly rebuild the entire container.
fa184193
TO
36 * @return \Symfony\Component\DependencyInjection\TaggedContainerInterface
37 */
378e2654 38 public static function singleton($reset = FALSE) {
7f835399
TO
39 if ($reset || !isset(\Civi::$statics[__CLASS__]['container'])) {
40 self::boot(TRUE);
fa184193 41 }
7f835399 42 return \Civi::$statics[__CLASS__]['container'];
fa184193
TO
43 }
44
45 /**
40787e18
TO
46 * Find a cached container definition or construct a new one.
47 *
48 * There are many weird contexts in which Civi initializes (eg different
49 * variations of multitenancy and different permutations of CMS/CRM bootstrap),
50 * and hook_container may fire a bit differently in each context. To mitigate
51 * risk of leaks between environments, we compute a unique envID
52 * (md5(DB_NAME, HTTP_HOST, SCRIPT_FILENAME, etc)) and use separate caches for
53 * each (eg "templates_c/CachedCiviContainer.$ENVID.php").
54 *
55 * Constants:
56 * - CIVICRM_CONTAINER_CACHE -- 'always' [default], 'never', 'auto'
57 * - CIVICRM_DSN
58 * - CIVICRM_DOMAIN_ID
59 * - CIVICRM_TEMPLATE_COMPILEDIR
60 *
61 * @return ContainerInterface
62 */
63 public function loadContainer() {
64 // Note: The container's raison d'etre is to manage construction of other
65 // services. Consequently, we assume a minimal service available -- the classloader
66 // has been setup, and civicrm.settings.php is loaded, but nothing else works.
67
5497e016 68 $cacheMode = defined('CIVICRM_CONTAINER_CACHE') ? CIVICRM_CONTAINER_CACHE : 'auto';
40787e18
TO
69
70 // In pre-installation environments, don't bother with caching.
71 if (!defined('CIVICRM_TEMPLATE_COMPILEDIR') || !defined('CIVICRM_DSN') || $cacheMode === 'never' || \CRM_Utils_System::isInUpgradeMode()) {
12e01332
TO
72 $containerBuilder = $this->createContainer();
73 $containerBuilder->compile();
74 return $containerBuilder;
40787e18
TO
75 }
76
83617886 77 $envId = \CRM_Core_Config_Runtime::getId();
40787e18
TO
78 $file = CIVICRM_TEMPLATE_COMPILEDIR . "/CachedCiviContainer.{$envId}.php";
79 $containerConfigCache = new ConfigCache($file, $cacheMode === 'auto');
40787e18
TO
80 if (!$containerConfigCache->isFresh()) {
81 $containerBuilder = $this->createContainer();
82 $containerBuilder->compile();
83 $dumper = new PhpDumper($containerBuilder);
84 $containerConfigCache->write(
85 $dumper->dump(array('class' => 'CachedCiviContainer')),
86 $containerBuilder->getResources()
87 );
88 }
89
90 require_once $file;
91 $c = new \CachedCiviContainer();
40787e18
TO
92 return $c;
93 }
94
95 /**
96 * Construct a new container.
97 *
fa184193 98 * @var ContainerBuilder
77b97be7 99 * @return \Symfony\Component\DependencyInjection\ContainerBuilder
fa184193
TO
100 */
101 public function createContainer() {
102 $civicrm_base_path = dirname(dirname(__DIR__));
103 $container = new ContainerBuilder();
40787e18
TO
104 $container->addCompilerPass(new RegisterListenersPass('dispatcher'));
105 $container->addObjectResource($this);
fa184193 106 $container->setParameter('civicrm_base_path', $civicrm_base_path);
40787e18 107 //$container->set(self::SELF, $this);
762dc04d
TO
108
109 $container->addResource(new \Symfony\Component\Config\Resource\FileResource(__FILE__));
110
40787e18
TO
111 $container->setDefinition(self::SELF, new Definition(
112 'Civi\Core\Container',
113 array()
114 ));
fa184193 115
505d8b83
TO
116 // TODO Move configuration to an external file; define caching structure
117 // if (empty($configDirectories)) {
118 // throw new \Exception(__CLASS__ . ': Missing required properties (civicrmRoot, configDirectories)');
119 // }
120 // $locator = new FileLocator($configDirectories);
121 // $loaderResolver = new LoaderResolver(array(
122 // new YamlFileLoader($container, $locator)
123 // ));
124 // $delegatingLoader = new DelegatingLoader($loaderResolver);
125 // foreach (array('services.yml') as $file) {
126 // $yamlUserFiles = $locator->locate($file, NULL, FALSE);
127 // foreach ($yamlUserFiles as $file) {
128 // $delegatingLoader->load($file);
129 // }
130 // }
fa184193 131
16072ce1 132 $container->setDefinition('angular', new Definition(
40787e18 133 'Civi\Angular\Manager',
16072ce1
TO
134 array()
135 ))
d15f7e1c 136 ->setFactory(array(new Reference(self::SELF), 'createAngularManager'));
16072ce1 137
fa184193 138 $container->setDefinition('dispatcher', new Definition(
762dc04d 139 'Civi\Core\CiviEventDispatcher',
40787e18 140 array(new Reference('service_container'))
fa184193 141 ))
d15f7e1c 142 ->setFactory(array(new Reference(self::SELF), 'createEventDispatcher'));
fa184193 143
c65db512 144 $container->setDefinition('magic_function_provider', new Definition(
40787e18 145 'Civi\API\Provider\MagicFunctionProvider',
c65db512
TO
146 array()
147 ));
148
0f643fb2 149 $container->setDefinition('civi_api_kernel', new Definition(
40787e18 150 'Civi\API\Kernel',
c65db512 151 array(new Reference('dispatcher'), new Reference('magic_function_provider'))
0f643fb2 152 ))
d15f7e1c 153 ->setFactory(array(new Reference(self::SELF), 'createApiKernel'));
0f643fb2 154
7b4bbb34 155 $container->setDefinition('cxn_reg_client', new Definition(
40787e18 156 'Civi\Cxn\Rpc\RegistrationClient',
7b4bbb34
TO
157 array()
158 ))
5eda8e9b 159 ->setFactory('CRM_Cxn_BAO_Cxn::createRegistrationClient');
7b4bbb34 160
6e5ad5ee
TO
161 $container->setDefinition('psr_log', new Definition('CRM_Core_Error_Log', array()));
162
7a19d718
TO
163 $basicCaches = array(
164 'js_strings' => 'js_strings',
165 'community_messages' => 'community_messages',
b1fc1ab0 166 'checks' => 'checks',
19707a63 167 'session' => 'CiviCRM Session',
7a19d718
TO
168 );
169 foreach ($basicCaches as $cacheSvc => $cacheGrp) {
170 $container->setDefinition("cache.{$cacheSvc}", new Definition(
a4704404
TO
171 'CRM_Utils_Cache_Interface',
172 array(
173 array(
7a19d718 174 'name' => $cacheGrp,
a944a143 175 'type' => array('*memory*', 'SqlGroup', 'ArrayCache'),
a4704404
TO
176 ),
177 )
a892989e 178 ))->setFactory('CRM_Utils_Cache::create');
a4704404 179 }
3a84c0ab 180
4ed867e0
TO
181 $container->setDefinition('sql_triggers', new Definition(
182 'Civi\Core\SqlTriggers',
183 array()
184 ));
185
87e3fe24
TO
186 $container->setDefinition('asset_builder', new Definition(
187 'Civi\Core\AssetBuilder',
188 array()
189 ));
190
247eb841 191 $container->setDefinition('pear_mail', new Definition('Mail'))
a892989e 192 ->setFactory('CRM_Utils_Mail::createMailer');
247eb841 193
7f835399
TO
194 if (empty(\Civi::$statics[__CLASS__]['boot'])) {
195 throw new \RuntimeException("Cannot initialize container. Boot services are undefined.");
196 }
197 foreach (\Civi::$statics[__CLASS__]['boot'] as $bootService => $def) {
56eafc21 198 $container->setDefinition($bootService, new Definition())->setSynthetic(TRUE);
83617886
TO
199 }
200
c8074a93
TO
201 // Expose legacy singletons as services in the container.
202 $singletons = array(
203 'resources' => 'CRM_Core_Resources',
204 'httpClient' => 'CRM_Utils_HttpClient',
7b5937fe 205 'cache.default' => 'CRM_Utils_Cache',
a7c57397 206 'i18n' => 'CRM_Core_I18n',
c8074a93
TO
207 // Maybe? 'config' => 'CRM_Core_Config',
208 // Maybe? 'smarty' => 'CRM_Core_Smarty',
209 );
210 foreach ($singletons as $name => $class) {
211 $container->setDefinition($name, new Definition(
212 $class
213 ))
d15f7e1c 214 ->setFactory(array($class, 'singleton'));
c8074a93
TO
215 }
216
e7a6eae8
SL
217 $container->setDefinition('civi.mailing.triggers', new Definition(
218 'Civi\Core\SqlTrigger\TimestampTriggers',
219 array('civicrm_mailing', 'Mailing')
220 ))->addTag('kernel.event_listener', array('event' => 'hook_civicrm_triggerInfo', 'method' => 'onTriggerInfo'));
221
e0a667ad
TO
222 $container->setDefinition('civi.activity.triggers', new Definition(
223 'Civi\Core\SqlTrigger\TimestampTriggers',
224 array('civicrm_activity', 'Activity')
225 ))->addTag('kernel.event_listener', array('event' => 'hook_civicrm_triggerInfo', 'method' => 'onTriggerInfo'));
226
227 $container->setDefinition('civi.case.triggers', new Definition(
228 'Civi\Core\SqlTrigger\TimestampTriggers',
229 array('civicrm_case', 'Case')
230 ))->addTag('kernel.event_listener', array('event' => 'hook_civicrm_triggerInfo', 'method' => 'onTriggerInfo'));
231
b21ffed7
TO
232 $container->setDefinition('civi.case.staticTriggers', new Definition(
233 'Civi\Core\SqlTrigger\StaticTriggers',
234 array(
235 array(
236 array(
237 'upgrade_check' => array('table' => 'civicrm_case', 'column' => 'modified_date'),
238 'table' => 'civicrm_case_activity',
239 'when' => 'AFTER',
240 'event' => array('INSERT'),
241 'sql' => "\nUPDATE civicrm_case SET modified_date = CURRENT_TIMESTAMP WHERE id = NEW.case_id;\n",
242 ),
243 array(
244 'upgrade_check' => array('table' => 'civicrm_case', 'column' => 'modified_date'),
245 'table' => 'civicrm_activity',
246 'when' => 'BEFORE',
247 'event' => array('UPDATE', 'DELETE'),
248 'sql' => "\nUPDATE civicrm_case SET modified_date = CURRENT_TIMESTAMP WHERE id IN (SELECT ca.case_id FROM civicrm_case_activity ca WHERE ca.activity_id = OLD.id);\n",
249 ),
250 ),
251 )
252 ))
253 ->addTag('kernel.event_listener', array('event' => 'hook_civicrm_triggerInfo', 'method' => 'onTriggerInfo'));
254
43ceab3f
TO
255 $container->setDefinition('civi_token_compat', new Definition(
256 'Civi\Token\TokenCompatSubscriber',
257 array()
258 ))->addTag('kernel.event_subscriber');
56df2d06
TO
259 $container->setDefinition("crm_mailing_action_tokens", new Definition(
260 "CRM_Mailing_ActionTokens",
261 array()
262 ))->addTag('kernel.event_subscriber');
43ceab3f 263
56df2d06 264 foreach (array('Activity', 'Contribute', 'Event', 'Mailing', 'Member') as $comp) {
46f5566c
TO
265 $container->setDefinition("crm_" . strtolower($comp) . "_tokens", new Definition(
266 "CRM_{$comp}_Tokens",
267 array()
268 ))->addTag('kernel.event_subscriber');
269 }
50a23755 270
aa4343bc
TO
271 if (\CRM_Utils_Constant::value('CIVICRM_FLEXMAILER_HACK_SERVICES')) {
272 \Civi\Core\Resolver::singleton()->call(CIVICRM_FLEXMAILER_HACK_SERVICES, array($container));
273 }
274
40787e18
TO
275 \CRM_Utils_Hook::container($container);
276
fa184193
TO
277 return $container;
278 }
279
16072ce1
TO
280 /**
281 * @return \Civi\Angular\Manager
282 */
283 public function createAngularManager() {
284 return new \Civi\Angular\Manager(\CRM_Core_Resources::singleton());
285 }
286
fa184193 287 /**
40787e18 288 * @param ContainerInterface $container
43ceab3f 289 * @return \Symfony\Component\EventDispatcher\ContainerAwareEventDispatcher
fa184193 290 */
40787e18 291 public function createEventDispatcher($container) {
762dc04d 292 $dispatcher = new CiviEventDispatcher($container);
0085db83 293 $dispatcher->addListener(SystemInstallEvent::EVENT_NAME, array('\Civi\Core\InstallationCanary', 'check'));
40d5632a 294 $dispatcher->addListener(SystemInstallEvent::EVENT_NAME, array('\Civi\Core\DatabaseInitializer', 'initialize'));
ece6501c 295 $dispatcher->addListener(SystemInstallEvent::EVENT_NAME, array('\Civi\Core\LocalizationInitializer', 'initialize'));
c73e3098
TO
296 $dispatcher->addListener('hook_civicrm_pre', array('\Civi\Core\Event\PreEvent', 'dispatchSubevent'), 100);
297 $dispatcher->addListener('hook_civicrm_post', array('\Civi\Core\Event\PostEvent', 'dispatchSubevent'), 100);
708d8fa2 298 $dispatcher->addListener('hook_civicrm_post::Activity', array('\Civi\CCase\Events', 'fireCaseChange'));
753657ed 299 $dispatcher->addListener('hook_civicrm_post::Case', array('\Civi\CCase\Events', 'fireCaseChange'));
708d8fa2 300 $dispatcher->addListener('hook_civicrm_caseChange', array('\Civi\CCase\Events', 'delegateToXmlListeners'));
b019b130 301 $dispatcher->addListener('hook_civicrm_caseChange', array('\Civi\CCase\SequenceListener', 'onCaseChange_static'));
47e7c2f8 302 $dispatcher->addListener('hook_civicrm_eventDefs', array('\Civi\Core\CiviEventInspector', 'findBuiltInEvents'));
0d0031a0 303 // TODO We need a better code-convention for metadata about non-hook events.
47e7c2f8
TO
304 $dispatcher->addListener('hook_civicrm_eventDefs', array('\Civi\API\Events', 'hookEventDefs'));
305 $dispatcher->addListener('hook_civicrm_eventDefs', array('\Civi\Core\Event\SystemInstallEvent', 'hookEventDefs'));
466e4b29 306 $dispatcher->addListener('hook_civicrm_buildAsset', array('\Civi\Angular\Page\Modules', 'buildAngularModules'));
1b6476e6
TO
307 $dispatcher->addListener('hook_civicrm_buildAsset', array('\CRM_Utils_VisualBundle', 'buildAssetJs'));
308 $dispatcher->addListener('hook_civicrm_buildAsset', array('\CRM_Utils_VisualBundle', 'buildAssetCss'));
94075464
TO
309 $dispatcher->addListener('civi.dao.postInsert', array('\CRM_Core_BAO_RecurringEntity', 'triggerInsert'));
310 $dispatcher->addListener('civi.dao.postUpdate', array('\CRM_Core_BAO_RecurringEntity', 'triggerUpdate'));
311 $dispatcher->addListener('civi.dao.postDelete', array('\CRM_Core_BAO_RecurringEntity', 'triggerDelete'));
46bcf597 312 $dispatcher->addListener('hook_civicrm_unhandled_exception', array(
9ae2d27b
TO
313 'CRM_Core_LegacyErrorHandler',
314 'handleException',
c73e3098 315 ), -200);
46f5566c
TO
316 $dispatcher->addListener(\Civi\ActionSchedule\Events::MAPPINGS, array('CRM_Activity_ActionMapping', 'onRegisterActionMappings'));
317 $dispatcher->addListener(\Civi\ActionSchedule\Events::MAPPINGS, array('CRM_Contact_ActionMapping', 'onRegisterActionMappings'));
2045389a 318 $dispatcher->addListener(\Civi\ActionSchedule\Events::MAPPINGS, array('CRM_Contribute_ActionMapping_ByPage', 'onRegisterActionMappings'));
b5302d4e 319 $dispatcher->addListener(\Civi\ActionSchedule\Events::MAPPINGS, array('CRM_Contribute_ActionMapping_ByType', 'onRegisterActionMappings'));
46f5566c
TO
320 $dispatcher->addListener(\Civi\ActionSchedule\Events::MAPPINGS, array('CRM_Event_ActionMapping', 'onRegisterActionMappings'));
321 $dispatcher->addListener(\Civi\ActionSchedule\Events::MAPPINGS, array('CRM_Member_ActionMapping', 'onRegisterActionMappings'));
322
aa4343bc
TO
323 if (\CRM_Utils_Constant::value('CIVICRM_FLEXMAILER_HACK_LISTENERS')) {
324 \Civi\Core\Resolver::singleton()->call(CIVICRM_FLEXMAILER_HACK_LISTENERS, array($dispatcher));
325 }
326
fa184193
TO
327 return $dispatcher;
328 }
0f643fb2 329
10760fa1
TO
330 /**
331 * @return LockManager
332 */
83617886 333 public static function createLockManager() {
10760fa1
TO
334 // Ideally, downstream implementers could override any definitions in
335 // the container. For now, we'll make-do with some define()s.
336 $lm = new LockManager();
337 $lm
338 ->register('/^cache\./', defined('CIVICRM_CACHE_LOCK') ? CIVICRM_CACHE_LOCK : array('CRM_Core_Lock', 'createScopedLock'))
339 ->register('/^data\./', defined('CIVICRM_DATA_LOCK') ? CIVICRM_DATA_LOCK : array('CRM_Core_Lock', 'createScopedLock'))
340 ->register('/^worker\.mailing\.send\./', defined('CIVICRM_WORK_LOCK') ? CIVICRM_WORK_LOCK : array('CRM_Core_Lock', 'createCivimailLock'))
341 ->register('/^worker\./', defined('CIVICRM_WORK_LOCK') ? CIVICRM_WORK_LOCK : array('CRM_Core_Lock', 'createScopedLock'));
342
343 // Registrations may use complex resolver expressions, but (as a micro-optimization)
344 // the default factory is specified as an array.
345
346 return $lm;
347 }
348
0f643fb2
TO
349 /**
350 * @param \Symfony\Component\EventDispatcher\EventDispatcher $dispatcher
2a6da8d7
EM
351 * @param $magicFunctionProvider
352 *
0f643fb2
TO
353 * @return \Civi\API\Kernel
354 */
c65db512 355 public function createApiKernel($dispatcher, $magicFunctionProvider) {
0a946de2 356 $dispatcher->addSubscriber(new \Civi\API\Subscriber\ChainSubscriber());
b55bc593 357 $dispatcher->addSubscriber(new \Civi\API\Subscriber\TransactionSubscriber());
bace5cd9 358 $dispatcher->addSubscriber(new \Civi\API\Subscriber\I18nSubscriber());
c65db512 359 $dispatcher->addSubscriber($magicFunctionProvider);
d0c9daa4 360 $dispatcher->addSubscriber(new \Civi\API\Subscriber\PermissionCheck());
dcef11bd 361 $dispatcher->addSubscriber(new \Civi\API\Subscriber\APIv3SchemaAdapter());
6d3bdc98
TO
362 $dispatcher->addSubscriber(new \Civi\API\Subscriber\WrapperAdapter(array(
363 \CRM_Utils_API_HTMLInputCoder::singleton(),
364 \CRM_Utils_API_NullOutputCoder::singleton(),
365 \CRM_Utils_API_ReloadOption::singleton(),
366 \CRM_Utils_API_MatchOption::singleton(),
367 )));
0661f62b 368 $dispatcher->addSubscriber(new \Civi\API\Subscriber\XDebugSubscriber());
82376c19
TO
369 $kernel = new \Civi\API\Kernel($dispatcher);
370
371 $reflectionProvider = new \Civi\API\Provider\ReflectionProvider($kernel);
372 $dispatcher->addSubscriber($reflectionProvider);
373
56154d36
TO
374 $dispatcher->addSubscriber(new \Civi\API\Subscriber\DynamicFKAuthorization(
375 $kernel,
376 'Attachment',
377 array('create', 'get', 'delete'),
2e37a19f 378 // Given a file ID, determine the entity+table it's attached to.
56154d36
TO
379 'SELECT if(cf.id,1,0) as is_valid, cef.entity_table, cef.entity_id
380 FROM civicrm_file cf
381 LEFT JOIN civicrm_entity_file cef ON cf.id = cef.file_id
382 WHERE cf.id = %1',
29468114
TO
383 // Get a list of custom fields (field_name,table_name,extends)
384 'SELECT concat("custom_",fld.id) as field_name,
385 grp.table_name as table_name,
386 grp.extends as extends
387 FROM civicrm_custom_field fld
388 INNER JOIN civicrm_custom_group grp ON fld.custom_group_id = grp.id
389 WHERE fld.data_type = "File"
390 ',
e3e66815 391 array('civicrm_activity', 'civicrm_mailing', 'civicrm_contact', 'civicrm_grant')
56154d36
TO
392 ));
393
82376c19
TO
394 $kernel->setApiProviders(array(
395 $reflectionProvider,
396 $magicFunctionProvider,
397 ));
398
0f643fb2
TO
399 return $kernel;
400 }
96025800 401
83617886
TO
402 /**
403 * Get a list of boot services.
404 *
405 * These are services which must be setup *before* the container can operate.
406 *
7f835399 407 * @param bool $loadFromDB
83617886
TO
408 * @throws \CRM_Core_Exception
409 */
7f835399 410 public static function boot($loadFromDB) {
56eafc21 411 // Array(string $serviceId => object $serviceInstance).
7f835399
TO
412 $bootServices = array();
413 \Civi::$statics[__CLASS__]['boot'] = &$bootServices;
d4330c62 414
56eafc21 415 $bootServices['runtime'] = $runtime = new \CRM_Core_Config_Runtime();
7f835399 416 $runtime->initialize($loadFromDB);
d4330c62 417
56eafc21 418 $bootServices['paths'] = new \Civi\Core\Paths();
d4330c62 419
7f835399 420 $class = $runtime->userFrameworkClass;
56eafc21 421 $bootServices['userSystem'] = $userSystem = new $class();
7f835399
TO
422 $userSystem->initialize();
423
424 $userPermissionClass = 'CRM_Core_Permission_' . $runtime->userFramework;
56eafc21 425 $bootServices['userPermissionClass'] = new $userPermissionClass();
7f835399 426
56eafc21
TO
427 $bootServices['cache.settings'] = \CRM_Utils_Cache::create(array(
428 'name' => 'settings',
429 'type' => array('*memory*', 'SqlGroup', 'ArrayCache'),
430 ));
7f835399 431
56eafc21 432 $bootServices['settings_manager'] = new \Civi\Core\SettingsManager($bootServices['cache.settings']);
7f835399 433
56eafc21 434 $bootServices['lockManager'] = self::createLockManager();
7f835399
TO
435
436 if ($loadFromDB && $runtime->dsn) {
3a036b15 437 \CRM_Core_DAO::init($runtime->dsn);
edbcbd96 438 \CRM_Utils_Hook::singleton(TRUE);
7f835399 439 \CRM_Extension_System::singleton(TRUE);
4025c773 440 \CRM_Extension_System::singleton(TRUE)->getClassLoader()->register();
7f835399 441
1b81ed50 442 $runtime->includeCustomPath();
443
7f835399 444 $c = new self();
56eafc21
TO
445 $container = $c->loadContainer();
446 foreach ($bootServices as $name => $obj) {
447 $container->set($name, $obj);
448 }
449 \Civi::$statics[__CLASS__]['container'] = $container;
83617886 450 }
83617886
TO
451 }
452
453 public static function getBootService($name) {
56eafc21 454 return \Civi::$statics[__CLASS__]['boot'][$name];
83617886
TO
455 }
456
4d8e83b6
TO
457 /**
458 * Determine whether the container services are available.
459 *
460 * @return bool
461 */
462 public static function isContainerBooted() {
463 return isset(\Civi::$statics[__CLASS__]['container']);
464 }
465
fa184193 466}