第一種、利用$_SERVER內置數組變量
相對較為原始的$_SERVER['QUERY_STRING']來獲取,URL的參數,通常使用這個變量返回的會是類似這樣的數據:name=tank&sex=1
如果需要包含文件名的話可以使用$_SERVER["REQUEST_URI"](返回類似:/index.php?name=tank&sex=1)
第二種、利用pathinfo內置函數
01 <?php
02 $test = pathinfo("http://localhost/index.php");
03 print_r($test);
04 /*
05 結果如下
06 Array
07 (
08 [dirname] => http://localhost //url的路徑
09 [basename] => index.php //完整文件名
10 [extension] => php //文件名後綴
11 [filename] => index //文件名
12 )
13 */
14 ?>
第三種、利用parse_url內置函數
01 <?php
02 $test = parse_url("http://localhost/index.php?name=tank&sex=1#top");
03 print_r($test);
04 /*
05 結果如下
06 Array
07 (
08 [scheme] => http //使用什麼協議
09 [host] => localhost //主機名
10 [path] => /index.php //路徑
11 [query] => name=tank&sex=1 // 所傳的參數
12 [fragment] => top //後面根的錨點
13 )
14 */
15 ?>
第四種、利用basename內置函數
1 <?php
2 $test = basename("http://localhost/index.php?name=tank&sex=1#top");
3 echo $test;
4 /*
5 結果如下
6 index.php?name=tank&sex=1#top
7 */
8 ?>
另外,還有就是自己通過正則匹配的處理方式來獲取需要的值了。這種方式較為精確,效率暫不考慮。。。
下面拓展實踐下正則處理方式:
01 <?php
02 preg_match_all("/(\w+=\w+)(#\w+)?/i","http://localhost/index.php?name=tank&sex=1#top",$match);
03 print_r($match);
04 /*
05 結果如下
06 Array
07 (
08 [0] => Array
09 (
10 [0] => name=tank
11 [1] => sex=1#top
12 )
13 [1] => Array
14 (
15 [0] => name=tank
16 [1] => sex=1
17 )
18 [2] => Array
19 (
20 [0] =>
21 [1] => #top
22 )
23 )
24 */
25 ?>
路途漫漫...還有待繼續挖掘...