0

我在http://in3.php.net/manual/en/function.chr.php

<?php 
function randPass($len) 
{ 
 $pw = ''; //intialize to be blank 
 for($i=0;$i<$len;$i++) 
 { 
   switch(rand(1,3)) 
   { 
     case 1: $pw.=chr(rand(48,57));  break; //0-9 
     case 2: $pw.=chr(rand(65,90));  break; //A-Z 
     case 3: $pw.=chr(rand(97,122)); break; //a-z 
   } 
 } 
 return $pw; 
} 
?> 

Example: 

<?php 
 $password = randPass(10); //assigns 10-character password 
?> 

有人可以解释一下.after的用法或效果$pw。我尝试寻找类似的问题,但找不到。如果有任何相关问题,请提供链接。

谢谢

4

5 回答 5

1

.是字符串连接。

$a = 'hello';
$b = 'there';

然后

echo $a . $b;

印刷

hellothere
于 2013-05-02T18:24:39.220 回答
0

连接运算符。

$a = "Hello ";
$a .= "World!"; 
// $a = Hello World!

$a = "Hello ";
$b = "there ";
$c = "stack ";
$d = "overflow ";
$a .= $b;
$a .= $c;
$a .= $d;
echo $a;

// $a = Hello there stack overflow
于 2013-05-02T18:24:21.020 回答
0
$a = 'hello';
$a .= ' world';

是相同的:

$a = 'hello';
$a = $a . ' world';
于 2013-05-02T18:45:08.577 回答
0
    $a = "Hi!";

    $a .= " I";
    $a .= " am";
    $a .= " new";
    $a .= " to";
    $a .= " PHP & StackOverflow";

echo $a;


//echos Hi! I am new to PHP & StackOverflow

.=简单地附加

于 2013-05-02T18:49:27.437 回答
0

它用于连接。
当你像这样使用它时,.=它会连接这些值。

$str = '';
$str .= 'My ';
$str .= 'Name ';
$str .= 'Is ';
$str .= 'Siamak.';
echo $str;

输出为:My Name Is Siamak.
在其他情况下,例如在循环中:

$str = '';
$i=0;
while($i<10)
{
   $str .= $i;
   $i++;
}
echo $str;

输出是:123456789

于 2013-05-02T18:29:20.737 回答