即使使用 PHP 多年,也會(huì)偶然發(fā)現(xiàn)一些未曾了解的函數(shù)和功能。其中有些是非常有用的,但沒(méi)有得到充分利用。并不是所有人都會(huì)從頭到尾一頁(yè)一頁(yè)地閱讀手冊(cè)和函數(shù)參考!
1、任意參數(shù)數(shù)目的函數(shù)
你可能已經(jīng)知道,PHP 允許定義可選參數(shù)的函數(shù)。但也有完全允許任意數(shù)目的函數(shù)參數(shù)的方法。以下是可選參數(shù)的例子:
// function with 2 optional arguments function foo($arg1 = '', $arg2 = '') {
echo "arg1: $arg1\n"; echo "arg2: $arg2\n";
}
foo('hello','world'); /* prints: arg1: hello arg2: world */
foo(); /* prints: arg1: arg2: */
現(xiàn)在讓我們看看如何建立能夠接受任何參數(shù)數(shù)目的函數(shù)。這一次需要使用 func_get_args() 函數(shù):
// yes, the argument list can be empty function foo() {
// returns an array of all passed arguments $args = func_get_args();
foreach ($args as $k => $v) { echo "arg".($k+1).": $v\n"; }
}
foo(); /* prints nothing */
foo('hello'); /* prints arg1: hello */
foo('hello', 'world', 'again'); /* prints arg1: hello arg2: world arg3: again */
2、使用 Glob() 查找文件
許多 PHP 函數(shù)具有長(zhǎng)描述性的名稱。然而可能會(huì)很難說(shuō)出 glob() 函數(shù)能做的事情,除非你已經(jīng)通過(guò)多次使用并熟悉了它。可以把它看作是比 scandir() 函數(shù)更強(qiáng)大的版本,可以按照某種模式搜索文件。
// get all php files $files = glob('*.php');
print_r($files); /* output looks like: Array ( [0] => phptest.php [1] => pi.php [2] => post_output.php [3] => test.php ) */
你可以像這樣獲得多個(gè)文件:
// get all php files AND txt files $files = glob('*.{php,txt}', GLOB_BRACE);
print_r($files); /* output looks like: Array ( [0] => phptest.php [1] => pi.php [2] => post_output.php [3] => test.php [4] => log.txt [5] => test.txt ) */
請(qǐng)注意,這些文件其實(shí)是可以返回一個(gè)路徑,這取決于查詢條件:
$files = glob('../images/a*.jpg');
print_r($files); /* output looks like: Array ( [0] => ../images/apple.jpg [1] => ../images/art.jpg ) */
如果你想獲得每個(gè)文件的完整路徑,你可以調(diào)用 realpath() 函數(shù):
$files = glob('../images/a*.jpg');
// applies the function to each array element $files = array_map('realpath',$files);
print_r($files); /* output looks like: Array ( [0] => C:\wamp\www\images\apple.jpg [1] => C:\wamp\www\images\art.jpg ) */
出處:藍(lán)色理想
責(zé)任編輯:bluehearts
上一頁(yè) 下一頁(yè) 9個(gè)必須知道的實(shí)用PHP函數(shù)和功能 [2]
◎進(jìn)入論壇網(wǎng)絡(luò)編程版塊參加討論
|