授予函數對外部變數的存取權
您的問題圍繞著提供一個可以存取外部數組的函數,允許它修改和附加價值。預設情況下,函數無法直接存取在其作用域之外定義的變數。
要授予存取權限,您可以在函數內使用 global 關鍵字。
function someFunction(){ global $myArr; $myVal = //some processing here to determine value of $myVal $myArr[] = $myVal; }
雖然這種方法授予存取權限,但通常不鼓勵使用全域變量,因為它會損害函數的獨立性。更優選的技術是從函數傳回修改後的陣列。
function someFunction(){ $myArr = array(); // At first, you have an empty array $myVal = //some processing here to determine value of $myVal $myArr[] = $myVal; // Put that $myVal into the array return $myArr; } $result = someFunction();
或者,您可以讓函數接受數組作為參數並透過引用對其進行修改。
function someFunction(array & $myArr){ $myVal = //some processing here to determine value of $myVal $myArr[] = $myVal; // Put that $myVal into the array } $myArr = array( ... ); someFunction($myArr); // The function will receive $myArr, and modify it
這種方法保持了函數的獨立性,同時允許它對外部數組進行操作。有關更多信息,請參閱 PHP 手冊中有關函數參數和返回值的部分。
以上是如何讓 PHP 函數存取和修改外部數組?的詳細內容。更多資訊請關注PHP中文網其他相關文章!