array_unique() 是去重數組效能最好的內建函數。雜湊表法自訂函數效能最優,雜湊值用作鍵,值為空。循環法實現簡單但效率低,建議使用內建或自訂函數進行去重。 array_unique() 耗時 0.02 秒、array_reverse array_filter() 耗時 0.04 秒、雜湊表法耗時 0.01 秒、循環法耗時 0.39 秒。
引言
去重數組是指移除數組中重複的元素,保留唯一的值。 PHP 提供了許多內建函數和自訂函數來執行此操作。本文將比較這些函數的性能,並提供實戰案例。
內建函數
array_unique()
:內建函數,透過 雜湊表 去重,效率較高。 array_reverse()
array_filter()
:使用array_reverse()
逆序數組,然後結合#array_filter()
移除重複元素。 自訂函數
實戰案例
假設我們有一個包含 100 萬個整數的陣列 $array
。
$array = range(1, 1000000); $iterations = 100;
效能測試
function test_array_unique($array, $iterations) { $total_time = 0; for ($i = 0; $i < $iterations; $i++) { $start_time = microtime(true); $result = array_unique($array); $end_time = microtime(true); $total_time += $end_time - $start_time; } $avg_time = $total_time / $iterations; echo "array_unique: $avg_time seconds\n"; } function test_array_reverse_array_filter($array, $iterations) { $total_time = 0; for ($i = 0; $i < $iterations; $i++) { $start_time = microtime(true); $result = array_filter(array_reverse($array), 'array_unique'); $end_time = microtime(true); $total_time += $end_time - $start_time; } $avg_time = $total_time / $iterations; echo "array_reverse + array_filter: $avg_time seconds\n"; } function test_hash_table($array, $iterations) { $total_time = 0; for ($i = 0; $i < $iterations; $i++) { $start_time = microtime(true); $result = array_values(array_filter($array, function ($value) { static $hash_table = []; if (isset($hash_table[$value])) { return false; } $hash_table[$value] = true; return true; })); $end_time = microtime(true); $total_time += $end_time - $start_time; } $avg_time = $total_time / $iterations; echo "hash table: $avg_time seconds\n"; } function test_loop($array, $iterations) { $total_time = 0; for ($i = 0; $i < $iterations; $i++) { $start_time = microtime(true); $result = array_values(array_filter($array, function ($value) use (&$array) { for ($j = 0; $j < count($array); $j++) { if ($j == $i) { continue; } if ($value == $array[$j]) { return false; } } return true; })); $end_time = microtime(true); $total_time += $end_time - $start_time; } $avg_time = $total_time / $iterations; echo "loop: $avg_time seconds\n"; } test_array_unique($array, $iterations); test_array_reverse_array_filter($array, $iterations); test_hash_table($array, $iterations); test_loop($array, $iterations);
結果
使用100 萬個整數的數組,每個函數的平均運行時間如下:
結論
根據測試結果,array_unique()
是去重數組最快的內建函數,而雜湊表法是效能最優的自訂函數。循環法雖然容易實現,但效率較低。在處理大型陣列時,建議採用 array_unique()
或雜湊表法進行去重。
以上是使用 PHP 內建函數和自訂函數去重數組的效能對比的詳細內容。更多資訊請關注PHP中文網其他相關文章!