xxxxxxxxxx
void ShuffleArray(int[] array)
{
for (int i = 0; i < array.Length; i++)
{
int temp = array[i];
int randomIndex = Random.Range(i, array.Length);
array[i] = array[randomIndex];
array[randomIndex] = temp;
}
}
xxxxxxxxxx
var rnd = new Random();
var randomized = list.OrderBy(item => rnd.Next());
xxxxxxxxxx
# cCopyusing System;
using System.Linq;
using System.Security.Cryptography;
namespace randomize_array
{
class Program
{
static void Main(string[] args)
{
int[] arr = { 1, 2, 3, 4, 5 };
Random random = new Random();
arr = arr.OrderBy(x => random.Next()).ToArray();
foreach (var i in arr)
{
Console.WriteLine(i);
}
}
}
}
3
4
5
1
2
xxxxxxxxxx
private static Random rng = new Random();
public static void Shuffle<T>(this IList<T> list)
{
int n = list.Count;
while (n > 1) {
n--;
int k = rng.Next(n + 1);
T value = list[k];
list[k] = list[n];
list[n] = value;
}
}
xxxxxxxxxx
using System;
using System.Linq;
using System.Security.Cryptography;
{
class Program
{
static void Main(string[] args)
{
//Array of int
int[] arr = { 1, 2, 3, 4, 5 };
//Assigned the function 'Random()' to 'random'
Random random = new Random();
//generated a random index with 'random.Next()' and placed every int in a
//random index with 'OrderBy()'
//converted the data in an array with 'ToArray()'
arr = arr.OrderBy(x => random.Next()).ToArray();
//Stamp the results
foreach (var i in arr)
{
Console.WriteLine(i);
}
}
}
}
xxxxxxxxxx
private static Random rng = new Random();
public static void Shuffle<T>(this IList<T> list)
{
int n = list.Count;
while (n > 1) {
n--;
int k = rng.Next(n + 1);
T value = list[k];
list[k] = list[n];
list[n] = value;
}
}
xxxxxxxxxx
using System;
class Program
{
static void Main(string[] args)
{
int[] numbers = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
// Create a random number generator
Random rng = new Random();
// Shuffle the array using Fisher-Yates algorithm
for (int i = numbers.Length - 1; i > 0; i--)
{
int j = rng.Next(i + 1);
int temp = numbers[i];
numbers[i] = numbers[j];
numbers[j] = temp;
}
// Print the shuffled array
foreach (int num in numbers)
{
Console.Write(num + " ");
}
}
}
xxxxxxxxxx
static string[] Shuffle(string[] wordArray) {
Random random = new Random();
for (int i = wordArray.Length - 1; i > 0; i--)
{
int swapIndex = random.Next(i + 1);
string temp = wordArray[i];
wordArray[i] = wordArray[swapIndex];
wordArray[swapIndex] = temp;
}
return wordArray;
}