- 论坛徽章:
- 0
|
先说说Perl的列表的默认赋值法。这里Perl表现出诸多细节。
1. 如用||, ()数组被当作false, 但||的左操作数会被当作标量环境来使用,小心!- my @aNums = ( 1 .. 10 );
- my @aSeconds = ( 101 .. 110 );
- # || puts its left oprand into scalar context.
- my @aDefaultList = @aNums || @aSeconds;
- # Oops, list only has a single element
- # which is the number of element in the rvalue list
- print "Oops, left operand of '||' is in a scalar context: [@aDefaultList]\n";
- # || puts its right oprand into list context.
- @aDefaultList = () || @aSeconds;
- print "'||' puts its right oprand into list context: \n[@aDefaultList]\n";
复制代码 2. 对于出现多个||的联用,也只有第一个||左边的那个操作数是标量环境。当然实质后面多个||,根本就没用到.- # Multipls '||' test, || puts its right oprand into list context.
- @aDefaultList = () || ( 36 ) || @aSeconds;
- print "Multiple '||', it puts its right oprand into list context: \n[@aDefaultList]\n";
复制代码 3. 如果用or, 则左操作数不会被用在标量环境下, ()在or下,居然被认作是true! 小心!- # Or can support left oprand in list context
- @aDefaultList = @aNums or @aSeconds;
- print "'Or' can support left operand's list context: [@aDefaultList]\n";
- # But it can regard null list ( ) as True!
- @aDefaultList = () or @aSeconds;
- print "Oops, 'Or' regards null list as true: [@aDefaultList]\n";
复制代码 4. 三元表达式,没有歧义- # Three way testing, can have a choice, better than if not
- @aDefaultList = ( ) ? @aNums : @aSeconds;
- print "Using three-way testing: @aDefaultList\n";
复制代码 由于没有perl5.9, 不知道//操作符能不能用在列表环境里,请大家补充! |
|