90 lines
2.7 KiB
Java
90 lines
2.7 KiB
Java
|
|
|
|
import edu.princeton.cs.introcs.StdIn;
|
|
import edu.princeton.cs.introcs.StdOut;
|
|
import edu.princeton.cs.introcs.StdRandom;
|
|
|
|
/*************************************************************************
|
|
* Compilation: javac Knuth.java
|
|
* Execution: java Knuth < list.txt
|
|
* Dependencies: StdIn.java StdOut.java
|
|
* Data files: http://algs4.cs.princeton.edu/11model/cards.txt
|
|
*
|
|
* Reads in a list of strings and prints them in random order.
|
|
* The Knuth (or Fisher-Yates) shuffling algorithm guarantees
|
|
* to rearrange the elements in uniformly random order, under
|
|
* the assumption that Math.random() generates independent and
|
|
* uniformly distributed numbers between 0 and 1.
|
|
*
|
|
* % more cards.txt
|
|
* 2C 3C 4C 5C 6C 7C 8C 9C 10C JC QC KC AC
|
|
* 2D 3D 4D 5D 6D 7D 8D 9D 10D JD QD KD AD
|
|
* 2H 3H 4H 5H 6H 7H 8H 9H 10H JH QH KH AH
|
|
* 2S 3S 4S 5S 6S 7S 8S 9S 10S JS QS KS AS
|
|
*
|
|
* % java Knuth < cards.txt
|
|
* 6H
|
|
* 9C
|
|
* 8H
|
|
* 7C
|
|
* JS
|
|
* ...
|
|
* KH
|
|
*
|
|
*************************************************************************/
|
|
|
|
/**
|
|
* The Knuth class provides a client for reading in a
|
|
* sequence of strings and shuffling them using the Knuth (or Fisher-Yates)
|
|
* shuffling algorithm. This algorithm guarantees to rearrange the
|
|
* elements in uniformly random order, under
|
|
* the assumption that Math.random() generates independent and
|
|
* uniformly distributed numbers between 0 and 1.
|
|
*
|
|
* For additional documentation, see <a href="http://algs4.cs.princeton.edu/11model">Section 1.1</a> of
|
|
* Algorithms, 4th Edition by Robert Sedgewick and Kevin Wayne.
|
|
*
|
|
* @author Robert Sedgewick
|
|
* @author Kevin Wayne
|
|
*/
|
|
public class Knuth {
|
|
|
|
// this class should not be instantiated
|
|
private Knuth() { }
|
|
|
|
/**
|
|
* Rearranges an array of objects in uniformly random order
|
|
* (under the assumption that Math.random() generates independent
|
|
* and uniformly distributed numbers between 0 and 1).
|
|
* @param a the array to be shuffled
|
|
* @see StdRandom
|
|
*/
|
|
public static void shuffle(Object[] a) {
|
|
int N = a.length;
|
|
for (int i = 0; i < N; i++) {
|
|
// choose index uniformly in [i, N-1]
|
|
int r = i + (int) (Math.random() * (N - i));
|
|
Object swap = a[r];
|
|
a[r] = a[i];
|
|
a[i] = swap;
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Reads in a sequence of strings from standard input, shuffles
|
|
* them, and prints out the results.
|
|
*/
|
|
public static void main(String[] args) {
|
|
|
|
// read in the data
|
|
String[] a = StdIn.readAllStrings();
|
|
|
|
// shuffle the array
|
|
Knuth.shuffle(a);
|
|
|
|
// print results.
|
|
for (int i = 0; i < a.length; i++)
|
|
StdOut.println(a[i]);
|
|
}
|
|
}
|