Last active
June 25, 2024 09:16
-
-
Save cosmicmonster/7393396 to your computer and use it in GitHub Desktop.
Unity / C# code to shuffle an array using the Fisher-Yates Shuffle.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
using UnityEngine; | |
using System.Collections; | |
public class ShuffleArray : MonoBehaviour { | |
// Public so you can fill the array in the inspector | |
public int[] scenarios; | |
void Start () | |
{ | |
// Shuffle scenarios array | |
Shuffle (scenarios); | |
} | |
void Shuffle(int[] a) | |
{ | |
// Loops through array backwards | |
for (int i = a.Length-1; i > 0; i--) | |
{ | |
// Randomize a number between 0 and i (so that the range decreases each time) | |
int rnd = Random.Range(0,i); | |
// Save the value of the current i, otherwise it'll overright when we swap the values | |
int temp = a[i]; | |
// Swap the new and old values | |
a[i] = a[rnd]; | |
a[rnd] = temp; | |
} | |
// Check your output | |
for (int i = 0; i < a.Length; i++) | |
{ | |
Debug.Log (a[i]); | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Thanks man. That's what I need.