forked from burakbayramli/books
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Counter.java
98 lines (86 loc) · 2.46 KB
/
Counter.java
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
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
/*************************************************************************
* Compilation: javac Counter.java
* Execution: java Counter N T
* Dependencies: StdRandom.java StdOut.java
*
* A mutable data type for an integer counter.
*
* The test clients create N counters and performs T increment
* operations on random counters.
*
* % java Counter 6 600000
* 0: 99870
* 1: 99948
* 2: 99738
* 3: 100283
* 4: 100185
* 5: 99976
*
*************************************************************************/
/**
* The <tt>Counter</tt> class is a mutable data type to encapsulate a counter.
* <p>
* For additional documentation, see <a href="/algs4/12oop">Section 1.2</a> of
* <i>Algorithms, 4th Edition</i> by Robert Sedgewick and Kevin Wayne.
*
* @author Robert Sedgewick
* @author Kevin Wayne
*/
public class Counter implements Comparable<Counter> {
private final String name; // counter name
private int count = 0; // current value
/**
* Initializes a new counter starting at 0, with the given id.
* @param id the name of the counter
*/
public Counter(String id) {
name = id;
}
/**
* Increments the counter by 1.
*/
public void increment() {
count++;
}
/**
* Returns the current count.
*/
public int tally() {
return count;
}
/**
* Returns a string representation of this counter
*/
public String toString() {
return count + " " + name;
}
/**
* Compares this counter to that counter.
*/
public int compareTo(Counter that) {
if (this.count < that.count) return -1;
else if (this.count > that.count) return +1;
else return 0;
}
/**
* Reads two command-line integers N and T; creates N counters;
* increments T counters at random; and prints results.
*/
public static void main(String[] args) {
int N = Integer.parseInt(args[0]);
int T = Integer.parseInt(args[1]);
// create N counters
Counter[] hits = new Counter[N];
for (int i = 0; i < N; i++) {
hits[i] = new Counter("counter" + i);
}
// increment T counters at random
for (int t = 0; t < T; t++) {
hits[StdRandom.uniform(N)].increment();
}
// print results
for (int i = 0; i < N; i++) {
StdOut.println(hits[i]);
}
}
}