I want to compare every element of array with one another.
$char=array();
for($i=0;$i<=10;$i++)
{
$char[$i]=rand(0,35);
}
I want to compare every element of $char array. If there is any value repeated than it should change value and select another random value which should be unique in array..
In this particular example, where the range of possible values is very small, it would be better to do this another way:
$allPossible = range(0, 35);
shuffle($allPossible);
// Guaranteed exactly 10 unique numbers in the range [0, 35]
$char = array_slice($allPossible, 0, 10);
Or with the equivalent version using array_rand:
$allPossible = range(0, 35);
$char = array_rand(array_flip($allPossible), 10);
If the range of values were larger then this approach would be very wasteful and you should go with checking for uniqueness on each iteration:
$char = array();
for ($i = 0; $i < 10; ++$i) {
$value = null;
// Try random numbers until you find one that does not already exist
while($value === null || in_array($value, $char)) {
$value = rand(0, 35);
}
$char[] = $value;
}
However, this is a probabilistic approach and may take a lot of time to finish depending on what the output of rand happens to be (it's going to be especially bad if the number of values you want is close to the number of all possible values).
Additionally, if the number of values you want to pick is largish (let's say more than 50 or so) then in_array can prove to be a bottleneck. In that case it should be faster to use array keys to check for uniqueness instead of values, since searching for the existence of a key is constant time instead of linear:
$char = array();
for ($i = 0; $i < 100; ++$i) {
$value = null;
// Try random numbers until you find one that does not already exist
while($value === null || array_key_exists($char, $value)) {
$value = rand(0, 1000);
}
$char[$value] = $value;
}
$char = array_values($char); // reindex keys to start from 0
To change any repeated value for a random one, you should loop through the array twice:
$cont= 0;
foreach($char as $c){
foreach($char as $d){
if($c == $d){
//updating the value
$char[$cont] = rand(0,35);
}
}
$cont++;
}
But what I don't know is if the random value can also be repeated. In that case it would not be so simple.
I've taken this code from the PHP Manual page for rand()
<?php
function uniqueRand($n, $min = 0, $max = null)
{
if($max === null)
$max = getrandmax();
$array = range($min, $max);
$return = array();
$keys = array_rand($array, $n);
foreach($keys as $key)
$return[] = $array[$key];
return $return;
}
?>
This function generates an array which has a size of $n and you can set the min and max values like in rand.
So you could make use of it like
uniqueRand(10, 0, 35);
Use array_count_values() first on the $char array.
Afterwards you can just loop all entries with more than 1 and randomize them. You have to keep checking until all counts are 1 tho. As even the random might remake a duplicate again.
I sugggest two option to make random array:
<?php
$questions = array(1, 2, 3, 4, 5, ..., 34, 35);
$questions = shuffle($questions);
?>
after that you choose the top 10 elements.
you can try this code to replace any repeated value.
for ($i = 0; $i < count($char); $i++) {
for ($n = 0; $n < count($char); $n++) {
if($char[$i] == $char[$n]){
$char[$i] = rand(0,35);
}
}
}
The function array_unique() obtains all unique values from an array, keyed by their first occurrence.
The function array_diff() allows to remove values from one array that are inside another array.
Depending on how you need to have (or not have) the result keyed or the order of keys preserved you need to do multiple steps. Generally it works as I outline in the following paragraphs (with PHP code-examples):
In an array you've got N elements of which Nu are unique.
$N = array(...);
$Nu = array_unique($N);
The number of random elements r you need then to replace the duplicates are the count of N minus the count of Nu. As the count of N is generally a useful value, I also assign it to nc:
$nc = count($N);
$r = $nc - count($Nu);
That makes r an integer ranging from 0 to count(N) - 1:
0 : no duplicate values / all values are unique
1 : one duplicate value / all but one value are unique
...
count(N) - 1 : all duplicate values / no unique value
So in case you you need zero random values ($r === 0) the input $N is the result. This boundary condition is the second most simple result (the first simple result is an input array with no members).
For all other cases you need r random unique values. In your question you write from 0 to 35. However this can not be the full story. Imagine your input array has got 36 duplicated values, each number in the range from 0 to 35 is duplicated once. Adding random numbers from the range 0 to 35 again to the array would create duplicates again - guaranteed.
Instead I've read your question that you are just looking for unique values that are not yet part of the input array.
So you not only you need r random values (Nr), but they also must not be part of N or Nu so far.
To achieve that you only need to create count(N) unique values, remove the unique values Nu from these to ensure nothing duplicates values in Nu. As this the theoretical maximum and not the exact number needed, that array is used to obtain the slice of exactly r elements from:
$Nr = array_slice(array_diff(range(0, $nc - 1), $Nu), 0, $r);
If you also want to have these new values to be added shuffled as range(0, $nc - 1) is ordered, you can do the following:
shuffle($Nr);
That should bring the randomness you seem to ask for in your question back into the answer.
That now leaves you with the unique parts of the original array $Nu and r new values in $Nr. Merging both these arrays will give you a result array which ignores key => value relations (the array is re-index):
array_merge($Nu, $Nr);
For example with an exemplary array(3, 4, 2, 1, 4, 0, 5, 0, 3, 5) for $N, the result this gives is:
Array
(
[0] => 3
[1] => 4
[2] => 2
[3] => 1
[4] => 0
[5] => 5
[6] => 7
[7] => 9
[8] => 6
[9] => 8
)
As you can see all the unique values (0-5) are at the beginning followed by the new values (6-9). Original keys are not preserved, e.g. the key of value 5 was 6 originally, now it is 5.
The relation or key => value are not retained because of array_merge(), it does re-index number keys. Also next to unique numbers in Nr keys also need to be unique in an array. So for every new number that is added to the unqique existing numbers, a key needs to be used that was a key of a duplicate number. To obtain all keys of duplicate numbers the set of keys in the original array is reduced by the set of keys of all for matches of the duplicate numbers (keys in the "unique array" $Nu):
$Kr = array_keys(array_diff_assoc($N, $Nu));
The existing result $Nr can now be keyed with with these keys. A function in PHP to set all keys for an array is to use the function array_combine():
$Nr = array_combine($Kr, $Nr);
This allows to obtain the result with key => value relations preserved by using the array union operator (+):
$Nu + $Nr;
For example with the $N from the last example, the result this gives is:
Array
(
[0] => 3
[1] => 4
[2] => 2
[3] => 1
[5] => 0
[6] => 5
[4] => 8
[7] => 6
[8] => 9
[9] => 7
)
As you can now see for the value 5 it's key 6 has been preserved as well as for the value 0 which had the key 5 in the original array and now as well in the output instead of the key 4 as in the previous example.
However as now the keys have been preserved for the first occurrences of the original values, the order is still changed: First all previously unique values and then all new values. However you might want to add the new values in place. To do that, you need to obtain the order of the original keys for the new values. That can be done by mapping the order by key and the using array_multisort() to sort based on that order.
Because this requires passing return values via parameters, this requires additional, temporary variables which I've chosen to introduce starting with the letter V:
// the original array defines the order of keys:
$orderMap = array_flip(array_keys($N));
// define the sort order for the result with keys preserved
$Vt = $Nu + $Nr;
$order = array();
foreach ($Vt as $key => $value) {
$order[] = $orderMap[$key];
}
Then the sorting is done (here with preserving keys):
// sort an array by the defined order, preserve keys
$Vk = array_keys($Vt);
array_multisort($order, $Vt, $Vk);
The result then is:
array_combine($Vk, $Vt);
Again with the example values from above:
Array
(
[0] => 3
[1] => 4
[2] => 2
[3] => 1
[4] => 7
[5] => 0
[6] => 5
[7] => 8
[8] => 6
[9] => 9
)
This example output shows nicely that the keys are ordered from 0 to 9 as they were are well in the input array. Compared with the previous output you can for example see that the first added value 7 (keyed 4) is at the 5th position - same as the value keyed 4 in the original array. The order of the keys have been obtained as well.
If that is the result you strive for you can short-cut the path to this step as well by iterating the original arrays keys and in case each of those keys is not the first value of any duplicate value, you can pop from the new values array instead:
$result = array();
foreach ($N as $key => $value) {
$result[$key] = array_key_exists($key, $Nu) ? $Nu[$key] : array_pop($Nr);
}
Again with the example array values the result (varies from previous because $Nr is shuffled:
Array
(
[0] => 3
[1] => 4
[2] => 2
[3] => 1
[4] => 7
[5] => 0
[6] => 5
[7] => 8
[8] => 9
[9] => 6
)
Which in the end might be the simplest way to answer your question. Hope this helps you answering the question. Keep the following in mind:
divide your problem:
you want to know if a value is unqiue or not - array_unique() helps you here.
you want to create X new unique numbers/values. array_diff() helps you here.
align the flow:
obtain unique numbers first.
obtain new numbers first.
use both to process the original array.
Like in this example:
// original array
$array = array(3, 4, 2, 1, 4, 0, 5, 0, 3, 5);
// obtain unique values (1.)
$unique = array_unique($array);
// obtain new unique values (2.)
$new = range(0, count($array) - 1);
$new = array_diff($new, $unique);
shuffle($new);
// process original array (3.)
foreach ($array as $key => &$value) {
if (array_key_exists($key, $unique)) {
continue;
}
$value = array_pop($new);
}
unset($value, $new);
// result in $array:
print_r($array);
Which then (exemplary because of shuffle($new)) outputs:
Array
(
[0] => 3
[1] => 4
[2] => 2
[3] => 1
[4] => 9
[5] => 0
[6] => 5
[7] => 8
[8] => 7
[9] => 6
)
Related
I'm making a program to take fingerprint values using a winnowing algorithm. which is where I have to take the smallest value from an array. but not only the smallest, there are conditions where if you find the same value, the rightmost value will be taken along with the index value. example array (3,5,5,8,6,7). from this example, I want to take the index of the second number 5, which is index 2, not index 1.
but when I try to get the same value as the rightmost position use the function min () in php, but the one I get is always the leftmost position.
I expect the output of
$a = array(3,5,5,8,6,7,6);
be
[3,0], [5,2], [8,3], [6,6], [7,5]
but the actual output is
[3,0], [5,1], [8,3], [6,4], [7,5]
Just a quick alternative, if you use array_flip() which swaps the value and key over, then this will automatically overwrite any previous key value, so when you flip [1=>5, 2=>5] then the second one will overwrite the first.
So
$a = array(3,5,5,8,6,7,6);
print_r(array_flip($a));
gives...
Array
(
[3] => 0
[5] => 2
[8] => 3
[6] => 6
[7] => 5
)
Use the value from an array as an index to filter out the most right value
$values = array(3,5,5,8,6,7,6);
$result = [];
foreach ($values as $index => $value) {
$result[$value] = [$value, $index];
}
print_r(array_values($result));
Use array_unique to solve this problem
$a = array(3,5,5,8,6,7,6);
$unique = array_unique($a);
print_r($unique);
answer should be
Array
(
[0] => 3
[1] => 5
[3] => 8
[4] => 6
[5] => 7
)
This question already has answers here:
Process every two elements in a flat array
(4 answers)
Closed 6 days ago.
I have an array loop 1st value in array is name and second value is the value to be inserted in the combination of 2 the array printing like this
Array
(
[0] => LE781291334
[1] => 0
[2] => JR792682920
[3] => 8,000.00
[4] => JR792733067
[5] => 1,800.00
[6] => JR792733072
[7] => 1,500.00
[8] => JR792733069
[9] => 700
[10] => JR792733068
)
Which I need every array values to be paired so I can add them into database like this
INSERT INTO table_name (valname, value) VALUES ('LE781291334', 0)
INSERT INTO table_name (valname, value) VALUES ('JR792682920', 8,000.00)
INSERT INTO table_name (valname, value) VALUES ('JR792733067', 1,800.00)
I am totally confused the value coming through api and I cannot pair them can anyone help me out for adding them in paired way?
It seems you need to array_chunk the array.
The function array_chunk will chunk up an array in x parts with $n number of items in each.
$n = 2;
$result = array_chunk($yourarray, $n);
Use it then like:
foreach($result as $sub){
list($valname, $val) = $sub;
// Your table code
}
$newarray = array();
for ($i = 0; $i < count($yourarray) / 2; $i++) {
$newarray[$yourarray[$i*2]] = $yourarray[$i * 2 + 1];
}
This assumes $yourarray is an indexed array with an even number of elements, so each key is paired to the succeeding value.
array_chunk as in the previous answer seems to accomplish the same thing, this is just a simple loop to show how it might work.
You could then insert into database with something like this:
foreach ($newarray as $x => $x_value) {
// sql to insert here - $x is the key and $x_value is the value
}
The following array contains entries for a competition. Some participants are shown more than others, hence the times they participate into this.
For example "pounho" has better chances than "vinylin". This is why he has more occurences than "vinylin" in the array.
My question is how to select 3 results out of the following example array, but the results must be unique, no repetitions?
Because currently, I can show 3 results, but there is repetition, for example
deou, deou, pounho.
I don't want to remove duplicates. I want the code to take into consideration that the participant "pounho" has better chances than "vinylin".
Array
(
[0] => pounho
[1] => pounho
[2] => pounho
[3] => panony
[4] => mamich
[5] => Deou
[6] => Deou
[7] => vinylin
[8] => laids
[9] => laids
)
$inputArray = [...];
$backuppedArray = $inputArray;
$randomlySelected = [];
while(count($randomlySelected) < 3 && count($backuppedArray) > 0){
$randomItem = $backuppedArray[array_rand($backuppedArray)];
if(!in_array($randomItem, $randomlySelected)){
$randomlySelected []= $randomItem;
$backuppedArray = array_diff($backuppedArray, array($randomItem));
}
}
updated answer, the more times participant is in array the more chance he has to be in random pick, it's simplest code to achieve it I could imagine
Select a random element of the array, then remove all copies of that element. Do this 3 times to get 3 different elements.
$results = array();
for ($i = 0; $i < 3; $i++) {
$index = array_rand($array);
$selected = $array[$index];
$results[] = $selected;
$array = array_diff($array, array($selected));
}
Not sure about the efficiency, especially with huge arrays, but; retrieve the first 3 values and check if they are unique. If not unique, shuffle and try again. Values with a higher frequency will have a better chance of being in the first 3:
while(count($result = array_unique(array_slice($array, 0, 3))) < 3){ shuffle($array); }
You need array_unique
$array2 = array_unique($array);
print_r($array2);
This snippet will "rank" the items in the array:
$count = array_count_values($array); //Counts values and makes new array
arsort($count); //Sort that array high to low
$keys = array_keys($count); //Split the array so we can find the key that occurs the most
echo "The top v is $keys[0][1] with $keys[0][0] occurrences."
I need to create two arrays, for simulating a draw from a Lotto ticket.
The first array will consist of 6 unique numbers between 1 and 49.
The second array will consist of 7 unique numbers between 1 and 49.
I'm fairly new to PHP and I can't figure out how to populate an array, give it a predefined size, randomly put six numbers between 1 through 49 into the array, and then finally sort the array's in ascending order.
This is my quick rough draft of what I think is somewhat heading in the right direction?
$tmp;
$lotto = array(rand(1,49)); //Creating the random number for $lotto
$lottoMax = array(rand(1,49)); //Creating the random number for $lottoMax
for($tmp=0; $lotto <= 6; $tmp++){
//creating the size of the array?
}
Any advice/tips/help would be greatly appreciated!
Thank you.
There are several ways to approach something like this. The first that comes to mind is to first just create an array of the numbers 1-49 using range(1, 49). Then shuffle the array with shuffle() so its order is randomized. Finally, since it is already randomized, you can just chop off the first 6 or 7 numbers to fill your two arrays (which I'll do with array_slice()). The contents are guaranteed not to have any repeats and it only takes a couple of operations.
// The bag of numbers is a range
$bag = range(1, 49);
// Shuffle it
shuffle($bag);
// Get the first array
$first_group = array_slice($bag, 0, 6);
// Shuffle it again and get the second array
shuffle($bag);
$second_group = array_slice($bag, 0, 7);
print_r($first_group);
Array
(
[0] => 36
[1] => 22
[2] => 34
[3] => 17
[4] => 23
[5] => 25
)
print_r($second_group);
Array
(
[0] => 40
[1] => 32
[2] => 33
[3] => 36
[4] => 29
[5] => 7
[6] => 3
)
You could just generate the initial numbers by range() function from 1 to 49, then shuffle, then slice it:
$first = range(1, 49); shuffle($first);
$second = range(1, 49); shuffle($second);
$lotto = array_slice($first, 0, 6);
$lottoMax = array_slice($second, 0, 7);
The array_rand() function returns a random selection from an array.
$all_numbers = range(1, 49); // Create an array of 1 .. 49
$pick6 = array_rand($all_numbers, 6);
sort($pick6);
$pick7 = array_rand($all_numbers, 7);
sort($pick7);
You seem to have a decent development background, which can make PHP arrays a little confusing at first. It helps me to think of them as hashes.
You can create an array in a few ways, I usually like to declare it:
$new_array = array();
or, to populate and initialize:
$new_array = array(1,2,3,"String")
PHP arrays are usually (always?) dynamically sized and typed...you can mix them up as much as you want.
You can also quickly add an item to an array by assignment:
$new_array[] = "whatever"; //will add it to the end of the array
$new_array['index'] = "more whatever"; // will insert it with the index 'index'
$new_array[11] = "last whatever"; // will put it in at numeric index 11
The latter two will overwrite any value in that index, which is probably obvious.
Anyway - hope that helps, and wasn't too obvious from the other answers already.
Here was what I had planned to suggest, but everyone beat me to it:
$possible_values = range(1,49);
$array_of_six = array_rand($possible_values,6);
$array_of_seven = array_rand($possible_values,7);
it comes back sorted by default.
My question is a little bit complicated but I will try to explain it as good as I can.
I have an array let's say:
$array(5){
[1]=>1,
[2]=>2,
[3]=>3,
[4]=>4,
[5]=>5
}
And I have a randomly generated key, let's say $rand = 34526147; The length of the key is always the same.
Now the question is: I want to select keys from the array which are ordered randomly BUT BASED ON THE KEY WE HAVE. I mean when I give the same key it will always return the same order but if I change the key it will return differently ordered array. Thank You.
My understanding is you want to shuffle() the array, but make it consistent for whatever $rand value is provided. I also believe PHP uses rand (behind the scenes) within shuffle which makes it possible to use srand (giving a consistent randomized order for the provided key). So, with that said:
$rand = 34526247;
srand($rand);
shuffle($array);
Because you're always seeding random from that same "key" you should get a consistent (repeatable) shuffle outcome. (At least it did with a brief test)
Note: This means $rand must be a numeric value. And, if at any point it isn't, you'd need to convert it to one.
uksort allows defining a custom sort based on the keys:
uksort($array,function($a,$b){
global $rand;
return strpos(''.$rand, ''.$a) - strpos(''.$rand, ''.$b);
});
Note that this assumes all keys exist in $rand.
Example state of array:
Array (
[3] => 3
[4] => 4
[5] => 5
[2] => 2
[1] => 1 )
You should calculate a new value for each question / row in addition to its id. This value needs to change with each new key and look random enough to your players. You can simply multiply the id with the key, then order by the rightmost digits, like this:
$key = 1243;
$questions = array(
195741 => array('foo'),
168762 => array('bar'),
984133 => array('baz'),
);
$newquestions = array();
foreach ($questions as $id => $row) {
// calculate a random looking order depending on $key
$newquestions[$id * $key % 100] = $row;
}
ksort($newquestions);
Output:
Array
(
[19] => Array
(
[0] => baz
)
[63] => Array
(
[0] => foo
)
[66] => Array
(
[0] => bar
)
)
Edit: Include actual sorting
I could be wrong, but I read you to mean that you are asking if you can change the order of the Qs to match that given in the rand int.
$questions = array(
1=>'one',
2=>'two',
3=>'three',
4=>'four',
5=>'five',
);
$rand = 34526147;
$order = array_unique(str_split($rand));
foreach($order as $ord){
if(array_key_exists($ord, $questions)) {
echo 'Q: ' . $ord . ' is ' .$questions[$ord] . PHP_EOL;
}
}
Gives:
Q: 3 is three
Q: 4 is four
Q: 5 is five
Q: 2 is two
Q: 1 is one