以下面的代码为例:
phpinfo(INFO_MODULES | INFO_ENVIRONMENT | INFO_VARIABLES);
使用了单个参数,但我提供了由单个管道符号分隔的选项列表。
按位运算符修改所涉及值的位。OR基本上,按位进行“ 或”运算左右参数的每一位。例如:
OR
5 | 2
将转换为位/二进制为:
101 | 10
这将导致:
111
因为:
1 || 0 = 1 0 || 1 = 1 1 || 0 = 1
作为7的整数,如果您执行以下操作,则得到的正是:
echo 5 | 2;
正如Ignacio所说,这在PHP(和其他语言)中最常被用作组合多个标志的方式。通常将每个标志定义为一个常量,其值通常设置为一个整数,该整数仅表示一个位于不同偏移量的位:
define('FLAG_A', 1); /// 0001 define('FLAG_B', 2); /// 0010 define('FLAG_C', 4); /// 0100 define('FLAG_D', 8); /// 1000
然后,当您将OR它们一起使用时,它们将以各自的位偏移量进行操作,并且永远不会发生冲突:
FLAG_A | FLAG_C
转换为:
1 | 100
因此,您最终打开了:
101
代表整数5。
然后,所有代码要做的(将对设置的不同标志起反应的代码AND)如下(使用按位):
AND
$combined_flags = FLAG_A | FLAG_C; if ( $combined_flags & FLAG_A ) { /// do something when FLAG_A is set } if ( $combined_flags & FLAG_B ) { /// this wont be reached with the current value of $combined_flags } if ( $combined_flags & FLAG_C ) { /// do something when FLAG_C is set }
归根结底,通过使用命名常量,它使事情变得更容易阅读,而通常依靠整数值而不是字符串或数组来使其更优化。使用常量的另一个好处是,如果在使用常量时键入错误,则编译器处于更好的情况下可以发出警告并发出警告…如果使用字符串值,则它无法知道任何错误。
define('MY_FLAG_WITH_EASY_TYPO', 1); my_function_that_expects_a_flag( MY_FLAG_WITH_EASY_TPYO ); /// if you have strict errors on the above will trigger an error my_function_that_expects_a_flag( 'my_string_with_easy_tpyo' ); /// the above is just a string, the compiler knows nowt with /// regard to it's correctness, so instead you'd have to /// code your own checks.