1054. Distant Barcodes
Problem Description
In this problem, we are given a list of integers representing barcodes. The goal is to rearrange the barcodes so that no two consecutive barcodes are the same. Fortunately, the problem statement assures us that there is always a valid rearrangement that meets this condition. We need to find and return one such valid arrangement.
Intuition
To solve this problem, we should first think about the constraints: no two adjacent barcodes can be equal. A natural approach to prevent adjacent occurrences of the same barcode would be to arrange the barcodes in such a way that the most frequent ones are as spread out as possible. This way, we reduce the chance that they will end up next to each other.
We can do this by:
- Counting the frequency of each barcode using
Counter
from thecollections
module, which gives us a dictionary-like object mapping each unique barcode to its count of appearances. - Sorting the barcodes based on their frequency. However, simply sorting them in non-ascending order of their frequency is not enough, as we need to make sure that once they are arranged, the condition is met. It's a good idea to also sort them by their value to have a deterministic result if frequencies are equal.
- Once sorted, the array is split into two: the first half will occupy even positions, and the second half will fill the odd positions in the result array. We do this because even-indexed places followed by odd-indexed ones are naturally never adjacent, which is ideal for our requirement to space out the frequent barcodes.
- Create a new array for the answer, filling it first with the elements at even indices and then at odd indices.
By doing this, we ensure that the most frequent elements are spread across half the array length, minimizing any chance they are adjacent to each other. The end result is a carefully structured sequence that satisfies the given condition of the problem.
Learn more about Greedy, Sorting and Heap (Priority Queue) patterns.
Solution Approach
The solution approach follows a series of logical steps that strategically utilize Python language features and its standard library functionalities. Here's a breakdown of how the solution is implemented:
-
Counting Frequencies: We use the
Counter
class from thecollections
module to count the frequency of each barcode in the given list. TheCounter
object, namedcnt
, will give us a mapping of each unique barcode value to its count of appearances.cnt = Counter(barcodes)
-
Sorting Based on Frequency: We then sort the original list of barcodes using the
sort
method, applying a custom sorting key. The sorting key is a lambda function that sorts primarily by frequency (-cnt[x]
, where negative is used for descending order) and secondarily by the barcode value (x
) in natural ascending order in case of frequency ties.barcodes.sort(key=lambda x: (-cnt[x], x))
-
Structuring The Answer: With the barcodes now sorted, half of the array (rounded up in the case of odd-length arrays) can be placed at even indices and the remaining half at odd indices in a new array named
ans
. This is to ensure that we space out high-frequency barcodes, minimizing the risk of identical adjacent barcodes:-
We first calculate the size of the array
n
and then create the answer arrayans
of that same size filled with zeros. -
The clever part comes with Python's slice assignment:
ans[::2]
is a way to refer to every second element ofans
, starting from the first. We assign the first half of thebarcodes
to these positions.ans[1::2]
refers to every second element starting from the second, to which we assign the latter half of thebarcodes
.
Here's how the code accomplishes that:
n = len(barcodes) ans = [0] * n ans[::2] = barcodes[: (n + 1) // 2] ans[1::2] = barcodes[(n + 1) // 2 :]
-
-
Returning the Result: The last line of the function simply returns the
ans
array, which is now a rearranged list of barcodes where no two adjacent barcodes are equal.
By using this approach, the algorithm effectively distributes barcodes of high frequency throughout the arrangement to satisfy the conditions of not having identical adjacent barcodes.
class Solution:
def rearrangeBarcodes(self, barcodes: List[int]) -> List[int]:
cnt = Counter(barcodes)
barcodes.sort(key=lambda x: (-cnt[x], x))
n = len(barcodes)
ans = [0] * n
ans[::2] = barcodes[: (n + 1) // 2]
ans[1::2] = barcodes[(n + 1) // 2 :]
return ans
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a small example to illustrate the solution approach. Suppose we're given the following list of barcodes:
barcodes = [1, 1, 1, 2, 2, 3]
Following the steps of the solution approach:
-
Counting Frequencies: We use
Counter
to determine the number of occurrences of each barcode. In this example:cnt = Counter([1, 1, 1, 2, 2, 3]) # Results in Counter({1: 3, 2: 2, 3: 1})
-
Sorting Based on Frequency: Using the sorting key in
sort
, we arrange the barcodes first by decreasing frequency and then by their natural value:sorted_barcodes = [1, 1, 1, 2, 2, 3] # 1 is most common, then 2, and 3 is least common
-
Structuring The Answer: The sorted list is now to be split across even and odd indices in a new array. The length of the barcodes list
n
is 6. The first half of the array (which is the first 3 elements, as(6 + 1) // 2
is 3) is placed at even indices:ans = [0, 0, 0, 0, 0, 0] ans[::2] = [1, 1, 1]
And the latter half of the array (which is the last 3 elements) is placed at odd indices:
ans[1::2] = [2, 2, 3]
So,
ans
becomes:ans = [1, 2, 1, 2, 1, 3]
-
Returning the Result: The final
ans
array is returned as the rearranged list of barcodes:return [1, 2, 1, 2, 1, 3]
This rearranged array adheres to the condition that no two consecutive barcodes are the same. In this example, barcode 1, which occurred most frequently, is well spread out, followed by barcode 2, and barcode 3 is placed at the end to satisfy the condition.
Solution Implementation
1from collections import Counter
2
3class Solution:
4 def rearrange_barcodes(self, barcodes: List[int]) -> List[int]:
5 # Count the frequency of each barcode
6 barcode_counts = Counter(barcodes)
7
8 # Sort barcodes by decreasing frequency and then by value
9 # This is to prepare for the rearrangement ensuring no adjacent barcodes are same
10 barcodes.sort(key=lambda x: (-barcode_counts[x], x))
11
12 # Get the total number of barcodes
13 total = len(barcodes)
14
15 # Create a placeholder list for the answer
16 rearranged = [0] * total
17
18 # Assign barcodes to even indices first (0, 2, 4, ...)
19 # We take the first half of the sorted barcodes
20 rearranged[::2] = barcodes[: (total + 1) // 2]
21
22 # Then assign barcodes to the odd indices (1, 3, 5, ...)
23 # We take the second half of the sorted barcodes
24 rearranged[1::2] = barcodes[(total + 1) // 2 :]
25
26 # Return the final arrangement of barcodes
27 return rearranged
28
1import java.util.Arrays; // Required for sorting the array
2
3public class Solution {
4 public int[] rearrangeBarcodes(int[] barcodes) {
5 // Determine the length of the barcodes array
6 int length = barcodes.length;
7 // Use wrapper class Integer for custom sorting
8 Integer[] tempBarcodes = new Integer[length];
9 // Variable to keep track of the maximum barcode value
10 int maxBarcode = 0;
11
12 // Copy barcodes to the temporary Integer array and find max value
13 for (int i = 0; i < length; ++i) {
14 tempBarcodes[i] = barcodes[i];
15 maxBarcode = Math.max(maxBarcode, barcodes[i]);
16 }
17
18 // Create and populate a count array for barcode frequencies
19 int[] count = new int[maxBarcode + 1];
20 for (int barcode : barcodes) {
21 ++count[barcode];
22 }
23
24 // Custom sort the array based on frequency (and then by value if frequencies are equal)
25 Arrays.sort(tempBarcodes, (a, b) -> count[a] == count[b] ? a - b : count[b] - count[a]);
26
27 // Create an array to hold the final rearranged barcodes
28 int[] rearranged = new int[length];
29
30 // Use two passes to distribute the barcodes ensuring no two adjacent barcodes are same
31 // Fill even indices first, then odd indices
32 for (int pass = 0, index = 0; pass < 2; ++pass) {
33 for (int i = pass; i < length; i += 2) {
34 rearranged[i] = tempBarcodes[index++];
35 }
36 }
37
38 // Return the rearranged barcodes
39 return rearranged;
40 }
41}
42
1#include <vector>
2#include <algorithm>
3#include <cstring>
4
5class Solution {
6public:
7 // Rearranges barcodes in such a way that no two equal barcodes are adjacent
8 std::vector<int> rearrangeBarcodes(std::vector<int>& barcodes) {
9 // Find the highest value in barcodes to create an array large enough
10 int maxBarcodeValue = *std::max_element(barcodes.begin(), barcodes.end());
11
12 // Create and initialize count array
13 int count[maxBarcodeValue + 1];
14 std::memset(count, 0, sizeof(count));
15
16 // Count the occurrences of each barcode
17 for (int barcode : barcodes) {
18 ++count[barcode];
19 }
20
21 // Sort the barcodes based on the frequency of each barcode (descending),
22 // and if frequencies are equal, sort by the barcode value (ascending)
23 std::sort(barcodes.begin(), barcodes.end(), [&](int a, int b) {
24 return count[a] > count[b] || (count[a] == count[b] && a < b);
25 });
26
27 int n = barcodes.size();
28 std::vector<int> result(n);
29
30 // Distribute the most frequent barcodes first, filling even positions,
31 // then the rest in odd positions
32 int index = 0;
33 for (int i = 0; i < n; i += 2) {
34 result[i] = barcodes[index++];
35 }
36 for (int i = 1; i < n; i += 2) {
37 result[i] = barcodes[index++];
38 }
39
40 // Return the result vector with no two equal barcodes adjacent
41 return result;
42 }
43};
44
1function rearrangeBarcodes(barcodes: number[]): number[] {
2 // Find the maximum number value in the barcodes array
3 const maxBarcodeValue = Math.max(...barcodes);
4
5 // Initialize a count array with a length of the maximum number + 1, filled with zeroes
6 const count = Array(maxBarcodeValue + 1).fill(0);
7
8 // Count the occurrences of each barcode
9 for (const barcode of barcodes) {
10 count[barcode]++;
11 }
12
13 // Sort the barcodes array based on the frequency of each number and then by the number itself if frequencies are equal
14 barcodes.sort((a, b) => (count[a] === count[b] ? a - b : count[b] - count[a]));
15
16 // The length of the barcodes array
17 const totalBarcodes = barcodes.length;
18
19 // Initialize the answer array that will be rearranged
20 const rearranged = Array(totalBarcodes);
21
22 // Loop through the sorted barcodes to rearrange them such that no two equal barcodes are adjacent
23 let insertionIndex = 0;
24 for (let start = 0; start < 2; ++start) {
25 for (let i = start; i < totalBarcodes; i += 2) {
26 rearranged[i] = barcodes[insertionIndex];
27 insertionIndex++;
28 }
29 }
30
31 // Return the rearranged barcodes
32 return rearranged;
33}
34
Time and Space Complexity
Time Complexity
The time complexity of the given code is determined by several operations:
-
Counting elements with
Counter(barcodes)
takesO(n)
time, wheren
is the number of elements in thebarcodes
list. -
Sorting the
barcodes
list with the custom sort key based on their count and value takesO(n log n)
time. -
Slicing the list into two parts (for odd and even positions) is done in
O(n)
time. -
Assigning the sliced lists to
ans
using list slicing operationsans[::2]
andans[1::2]
is done inO(n)
time.
So, combining these operations, the overall time complexity of the code is O(n log n)
due to the sort operation.
Space Complexity
The space complexity of the code is influenced by:
-
The
cnt
object (counter of the elements), which takesO(unique)
space, whereunique
is the number of unique elements inbarcodes
. -
The
ans
list, which is a new list of the same length as the input list, takingO(n)
space.
Therefore, the total space complexity is O(n + unique)
, which simplifies to O(n)
if we consider that the number of unique items is less than or equal to n
.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following shows the order of node visit in a Breadth-first Search?
Recommended Readings
Greedy Introduction div class responsive iframe iframe src https www youtube com embed WTslqPbj7I title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture web share allowfullscreen iframe div When do we use greedy Greedy algorithms tend to solve optimization problems Typically they will ask you to calculate the max min of some value Commonly you may see this phrased in the problem as max min longest shortest largest smallest etc These keywords can be identified by just scanning
Sorting Summary Comparisons We presented quite a few sorting algorithms and it is essential to know the advantages and disadvantages of each one The basic algorithms are easy to visualize and easy to learn for beginner programmers because of their simplicity As such they will suffice if you don't know any advanced
https algomonster s3 us east 2 amazonaws com cover_photos heap svg Priority Queue and Heap What is the relationship between priority queue and heap Priority Queue is an Abstract Data Type and Heap is the concrete data structure we use to implement a priority queue Priority Queue A priority queue
Want a Structured Path to Master System Design Too? Don’t Miss This!