mirror of
				https://gitee.com/coder-xiaomo/leetcode-problemset
				synced 2025-10-25 06:48:57 +08:00 
			
		
		
		
	
		
			
				
	
	
		
			60 lines
		
	
	
		
			2.3 KiB
		
	
	
	
		
			HTML
		
	
	
	
	
	
			
		
		
	
	
			60 lines
		
	
	
		
			2.3 KiB
		
	
	
	
		
			HTML
		
	
	
	
	
	
| <p>You are given a <strong>0-indexed</strong> array of positive integers <code>w</code> where <code>w[i]</code> describes the <strong>weight</strong> of the <code>i<sup>th</sup></code> index.</p>
 | |
| 
 | |
| <p>You need to implement the function <code>pickIndex()</code>, which <strong>randomly</strong> picks an index in the range <code>[0, w.length - 1]</code> (<strong>inclusive</strong>) and returns it. The <strong>probability</strong> of picking an index <code>i</code> is <code>w[i] / sum(w)</code>.</p>
 | |
| 
 | |
| <ul>
 | |
| 	<li>For example, if <code>w = [1, 3]</code>, the probability of picking index <code>0</code> is <code>1 / (1 + 3) = 0.25</code> (i.e., <code>25%</code>), and the probability of picking index <code>1</code> is <code>3 / (1 + 3) = 0.75</code> (i.e., <code>75%</code>).</li>
 | |
| </ul>
 | |
| 
 | |
| <p> </p>
 | |
| <p><strong>Example 1:</strong></p>
 | |
| 
 | |
| <pre>
 | |
| <strong>Input</strong>
 | |
| ["Solution","pickIndex"]
 | |
| [[[1]],[]]
 | |
| <strong>Output</strong>
 | |
| [null,0]
 | |
| 
 | |
| <strong>Explanation</strong>
 | |
| Solution solution = new Solution([1]);
 | |
| solution.pickIndex(); // return 0. The only option is to return 0 since there is only one element in w.
 | |
| </pre>
 | |
| 
 | |
| <p><strong>Example 2:</strong></p>
 | |
| 
 | |
| <pre>
 | |
| <strong>Input</strong>
 | |
| ["Solution","pickIndex","pickIndex","pickIndex","pickIndex","pickIndex"]
 | |
| [[[1,3]],[],[],[],[],[]]
 | |
| <strong>Output</strong>
 | |
| [null,1,1,1,1,0]
 | |
| 
 | |
| <strong>Explanation</strong>
 | |
| Solution solution = new Solution([1, 3]);
 | |
| solution.pickIndex(); // return 1. It is returning the second element (index = 1) that has a probability of 3/4.
 | |
| solution.pickIndex(); // return 1
 | |
| solution.pickIndex(); // return 1
 | |
| solution.pickIndex(); // return 1
 | |
| solution.pickIndex(); // return 0. It is returning the first element (index = 0) that has a probability of 1/4.
 | |
| 
 | |
| Since this is a randomization problem, multiple answers are allowed.
 | |
| All of the following outputs can be considered correct:
 | |
| [null,1,1,1,1,0]
 | |
| [null,1,1,1,1,1]
 | |
| [null,1,1,1,0,0]
 | |
| [null,1,1,1,0,1]
 | |
| [null,1,0,1,0,0]
 | |
| ......
 | |
| and so on.
 | |
| </pre>
 | |
| 
 | |
| <p> </p>
 | |
| <p><strong>Constraints:</strong></p>
 | |
| 
 | |
| <ul>
 | |
| 	<li><code>1 <= w.length <= 10<sup>4</sup></code></li>
 | |
| 	<li><code>1 <= w[i] <= 10<sup>5</sup></code></li>
 | |
| 	<li><code>pickIndex</code> will be called at most <code>10<sup>4</sup></code> times.</li>
 | |
| </ul>
 |