[ PHP 内核与扩展开发系列] PHP 启动与终止那点事:超全局变量的定义和使用
超全局变量的定义
在 PHP 中有一种“特殊”的全局变量,通常我们把它们称作超全局变量,所谓的超全局变量指的是在全部作用域中始终可用的内置变量,常见的比如$_GET
、$_POST
、$_FILE
等。
它们会在编译之前就声明,所以在普通的脚本中,可能无法定义其它的超级全局变量。在扩展中,使用超级全局变量最好的示例是 session 扩展,它使用 $_SESSION
在 session_start()
和session_write_close()
之间存储信息。那么 $_SESSION
这个超级全局变量是怎样定义的呢?我们来看下 session 扩展的 MINIT
函数实现:
xxxxxxxxxx
PHP_MINIT_FUNCTION(session) {
zend_register_auto_global("_SESSION",
sizeof("_SESSION") - 1,
NULL TSRMLS_CC);
return SUCCESS;
}
sizeof("_SESSION") - 1
,一定要排除标识字符串结束的 \0
。
我们一起来看下 zend_register_auto_global()
这个函数在Zend Engine 2 中的原型:
xxxxxxxxxx
int zend_register_auto_global(char *name, uint name_len,
zend_auto_global_callback auto_global_callback TSRMLS_DC)
auto_global_callback
这个参数的。为了和 PHP 4 兼容,我们仍需要像下面这样声明一个超级全局变量:
xxxxxxxxxx
PHP_MINIT_FUNCTION(sample4) {
zend_register_auto_global("_SAMPLE4", sizeof("_SAMPLE4") - 1
#ifdef ZEND_ENGINE_2
, NULL
#endif
TSRMLS_CC);
return SUCCESS;
}
超全局变量的回调
在 Zend Engine 2 中,zend_register_auto_global()
函数的 auto_global_callback
参数接受一个自定义函数。在实践中,这样的做法可以用来避免复杂的初始化,我们来看下面这段代码:
x
zend_bool php_sample4_autoglobal_callback (char *name, uint name_len TSRMLS_DC)
{
zval *sample4_val;
int i;
MAKE_STD_ZVAL(sample4_val);
array_init(sample4_val);
for(i = 0; i < 10000; i++) {
add_next_index_long(sample4_val, i);
}
ZEND_SET_SYMBOL(&EG(symbol_table), "_SAMPLE4", sample4_val);
return 0;
}
PHP_MINIT_FUNCTION(sample4) {
zend_register_auto_global("_SAMPLE4", sizeof("_SAMPLE4") - 1
#ifdef ZEND_ENGINE_2
, php_sample4_autoglobal_callback
#endif
TSRMLS_CC);
return SUCCESS;
}
xxxxxxxxxx
PHP_RINIT_FUNCTION(sample4) {
#ifdef ZEND_ENGINE_2
php_sample4_autoglobal_callback("_SAMPLE4",
sizeof("_SAMPLE4") - 1,
TSRMLS_CC);
#endif
return SUCCESS;
}
php.ini
的值。
No Comments