Moving Stones Until Consecutive - Brainteaser - Easy - LeetCode
💻 coding

Moving Stones Until Consecutive - Brainteaser - Easy - LeetCode

2 min read 362 words
2 min read
ShareWhatsAppPost on X
  • 1The game involves moving stones on a number line to achieve consecutive positions.
  • 2Minimum moves are determined by the gaps between stones, with specific edge cases for adjacent stones.
  • 3Maximum moves are calculated as the total gaps between the stones minus two.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"The game involves moving stones on a number line to achieve consecutive positions."

Moving Stones Until Consecutive - Brainteaser - Easy - LeetCode

Three stones are on a number line at positions a, b, and c.

Each turn, you pick up a stone at an endpoint (ie., either the lowest or highest position stone), and move it to an unoccupied position between those endpoints. Formally, let's say the stones are currently at positions x, y, z with x < y < z. You pick up the stone at either position x or position z, and move that stone to an integer position k, with x < k < z and k != y.

The game ends when you cannot make any more moves, ie. the stones are in consecutive positions.

When the game ends, what is the minimum and maximum number of moves that you could have made? Return the answer as an length 2 array: answer = [minimum_moves, maximum_moves]

Example 1:

Input: a = 1, b = 2, c = 5 Output: [1,2] Explanation: Move the stone from 5 to 3, or move the stone from 5 to 4 to 3. Example 2:

Input: a = 4, b = 3, c = 2 Output: [0,0] Explanation: We cannot make any moves. Example 3:

Input: a = 3, b = 5, c = 1 Output: [1,2] Explanation: Move the stone from 1 to 4; or move the stone from 1 to 2 to 4.

Note:

1 <= a <= 100 1 <= b <= 100 1 <= c <= 100 a != b, b != c, c != a

public class Solution {
 public int[] NumMovesStones(int a, int b, int c) {
 var arr = new int[]{a,b,c};
 var res = new int[2];
 Array.Sort(arr);
 if(arr[2]-arr[0]==2){
 return res;
 }
 
 res[0] = Math.Min(arr[1]-arr[0], arr[2]-arr[1])<=2 ? 1: 2;
 res[1] = arr[2]-arr[0]-2;
 
 return res;
 }
}

Time Complexity: O(nlogn)

Space Complexity: O(n)

Edge case 1: all three stones are next to each other (z - x == 2). Return {0, 0}. Edge case 2: two stones are next to each other, or there is only one space in between. The minimum move is 1.

Otherwise; minimum moves are 2, maximum - z - x - 2.

So the position of the middle stone (y) only matters for the minimum moves.

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

sumitc91

Published on 16 October 2020 · 2 min read · 362 words

Part of AskGif Blog · coding

You might also like

Moving Stones Until Consecutive - Brainteaser - Easy - LeetCode | AskGif Blog