summaryrefslogtreecommitdiff
path: root/documentation/bubblesort.html
blob: 8d66a8406d5062bd01536e5bb8d895a6cb204c74 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
<h1>How fast is a C++ extension</h1>
<p>
    Native extensions are fast. But how fast are they? We can demonstrate this
    with a very simple extension: bubblesort.
</p>
<p>
    Bubblesort is a very inefficient sorting algorithm that is never used in
    real world software - but that is often used in universities to demonstrate
    algorithms. We will show you an implementation of this algorithm in PHP
    and in C++ - and see how much faster the C++ code is.
</p>
<p>
<pre class="language-php">
&lt;?php
 
/**
 *  Bubblesort function in parameter
 *
 *  This function takes an unsorted array as input, sorts it, and returns
 *  the output. It only uses normal PHP operation, and does not rely on
 *  any builting PHP functions or on functions from extensions
 *
 *  @param  array       An unsorted array of integers
 *  @return array       A sorted array
 */
function bubblesort(array $input)
{
    // number of elements in the array
    $count = count($input);
    
    // loop through the array
    for ($i = 0; $i &lt; $count; $i++)
    {
        // loop through the elements that were already processed
        for ($j = 0; $j &lt; $count - $i; $j++)
        {
            // move on if smaller
            if ($input[$j] &lt;= $input[$j+1]) continue;
    
            // swap elements
            $temp = $input[$j];
            $input[$j] = $input[$j+1];
            $input[$j+1] = $temp;
        }
    }
}
?&gt;