以下面的代码为例:
phpinfo(INFO_MODULES | INFO_ENVIRONMENT | INFO_VARIABLES);
正在使用单个参数,但我提供了一个由单个管道符号分隔的选项列表。
答案 0 :(得分:114)
按位运算符修改所涉及值的位。按位OR
基本上将左右参数的每个位进行或运算。例如:
5 | 2
会将bits / binary转换为:
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
):
$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
}
在一天结束时,它只是通过命名常量使事情更容易阅读,并且通常依靠整数值而不是字符串或数组更加优化。使用常量的另一个好处是,如果它们在使用时输入错误,编译器处于更好的状态告诉并发出警告......如果使用字符串值,则无法知道任何错误。< / p>
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.
答案 1 :(得分:16)
你传递的参数是multiple flags的按位OR。您可以随意使用操作员。