Reduce Binary Array by replacing both 0s or both 1s pair with 0 and 10 or 01 pair with 1
Last Updated :
19 Oct, 2023
Given a binary array arr[] of size N, the task is to find the last number remaining in the array after performing a set of operations. In each operation, select any two numbers and perform the following:
- If both numbers are the same, remove them from the array and insert a 0.
- If both numbers are different, remove both of them and insert a 1.
Example:
Input: arr[]={0, 0, 1}
Output: 1
Explanation: There are two possible sequence of operations as follows:
- arr[] = {0, 0, 1}, delete (0, 1) and insert 0 => arr[] = {0, 0}, delete (0, 0) and insert 1=> arr[] = {1}.
- arr[] = {0, 0, 1}, delete (0, 0) and insert 0 => arr[] = {0, 1}, delete (0, 1) and insert 1=> arr[] = {1}.
Hence the remaining element is 1.
Input: arr[]={1, 0, 0, 0, 1}
Output: 0
Approach: The given problem can be solved based on the following observations:
- 2 same numbers are getting replaced by a 0.
- 2 different numbers are getting replaced by a 1.
Now, the creating a table for each outcome:

Upon careful observation of the above table, it can be noticed that the table represents the bitwise XOR operation. Hence, the remaining integer will be equal to the bitwise XOR of the given array elements which can be further simplified as if the frequency of 1 is even, the result is 0, otherwise, it's 1.
Below is the implementation of the above approach.
C++
// C++ program of the above approach
#include <bits/stdc++.h>
using namespace std;
// Function to find last remaining
// integer in the given array
int lastNumber(vector<int>& arr)
{
// Variable to store the
// frequency of 1
int one = 0;
// Loop to iterate the
// given array
for (int x : arr) {
if (x == 1) {
one += 1;
}
}
// If frequency of 1 is even
if (one % 2 == 0)
return 0;
// If frequency of 1 is odd
return 1;
}
// Driver Code
int main()
{
vector<int> arr = { 1, 0, 0, 0, 1 };
cout << lastNumber(arr);
}
Java
// Java program of the above approach
import java.util.ArrayList;
class GFG {
// Function to find last remaining
// integer in the given array
static Integer lastNumber(ArrayList<Integer> arr)
{
// Variable to store the
// frequency of 1
int one = 0;
// Loop to iterate the
// given array
for (int x : arr) {
if (x == 1) {
one += 1;
}
}
// If frequency of 1 is even
if (one % 2 == 0)
return 0;
// If frequency of 1 is odd
return 1;
}
// Driver Code
public static void main(String args[]) {
ArrayList<Integer> arr = new ArrayList<Integer>();
arr.add(1);
arr.add(0);
arr.add(0);
arr.add(0);
arr.add(1);
System.out.println(lastNumber(arr));
}
}
// This code is contributed by gfgking
Python3
# python program of the above approach
# Function to find last remaining
# integer in the given array
def lastNumber(arr):
# Variable to store the
# frequency of 1
one = 0
# Loop to iterate the
# given array
for x in arr:
if (x == 1):
one += 1
# If frequency of 1 is even
if (one % 2 == 0):
return 0
# If frequency of 1 is odd
return 1
# Driver Code
if __name__ == "__main__":
arr = [1, 0, 0, 0, 1]
print(lastNumber(arr))
# This code is contributed by rakeshsahni
C#
// C# program of the above approach
using System;
using System.Collections.Generic;
class GFG{
// Function to find last remaining
// integer in the given array
static int lastNumber(List<int> arr)
{
// Variable to store the
// frequency of 1
int one = 0;
// Loop to iterate the
// given array
foreach(int x in arr)
{
if (x == 1)
{
one += 1;
}
}
// If frequency of 1 is even
if (one % 2 == 0)
return 0;
// If frequency of 1 is odd
return 1;
}
// Driver Code
public static void Main()
{
List<int> arr = new List<int>(){ 1, 0, 0, 0, 1 };
Console.WriteLine(lastNumber(arr));
}
}
// This code is contributed by ukasp
JavaScript
<script>
// JavaScript code for the above approach
// Function to find last remaining
// integer in the given array
function lastNumber(arr) {
// Variable to store the
// frequency of 1
let one = 0;
// Loop to iterate the
// given array
for (let x of arr) {
if (x == 1) {
one += 1;
}
}
// If frequency of 1 is even
if (one % 2 == 0)
return 0;
// If frequency of 1 is odd
return 1;
}
// Driver Code
let arr = [1, 0, 0, 0, 1];
document.write(lastNumber(arr));
// This code is contributed by Potta Lokesh
</script>
Time Complexity: O(N)
Auxiliary Space: O(1)
Dynamic Approach:
- Create a dynamic programming table dp of size N x N, where N is the size of the input array arr[]. Each element dp[i][j] represents the last number remaining in the subarray starting from index i to index j.
- Initialize the diagonal elements of the dp table to the corresponding elements of the input array arr[].
- Traverse the subarrays of arr[] in a bottom-up manner, starting from smaller subarrays and building up to the larger subarrays.
- For each subarray, calculate the value of dp[i][i+len-1] using the following rules:
* If arr[i] == arr[i+len-1], set dp[i][i+len-1] to 0.
* If arr[i] != arr[i+len-1], set dp[i][i+len-1] to 1.
5. After completing the traversal, the remaining element in the entire array is stored in dp[0][N-1], which represents the last number remaining after performing all the operations.
6. Return the value in dp[0][N-1] as the last remaining number.
Below is the implementation of the above approach:
C++
#include <iostream>
#include <vector>
using namespace std;
int lastRemainingNumber(vector<int>& arr) {
int n = arr.size();
vector<vector<int>> dp(n, vector<int>(n, 0));
// Initialize diagonal elements
for (int i = 0; i < n; i++) {
dp[i][i] = arr[i];
}
// Calculate remaining element for each subarray
for (int len = 2; len <= n; len++) {
for (int i = 0; i <= n - len; i++) {
int j = i + len - 1;
if (arr[i] == arr[j]) {
// If both numbers are the same, set the remaining element to 0
dp[i][j] = 0;
} else {
// If both numbers are different, set the remaining element to 1
dp[i][j] = 1;
}
}
}
return dp[0][n - 1];
}
int main() {
vector<int> arr = {0, 0, 1};
int result = lastRemainingNumber(arr);
cout<< result << endl;
return 0;
}
Java
import java.util.Arrays;
import java.util.Scanner;
public class GFG {
public static int lastRemainingNumber(int[] arr) {
int n = arr.length;
int[][] dp = new int[n][n];
// Initialize diagonal elements
for (int i = 0; i < n; i++) {
dp[i][i] = arr[i];
}
// Calculate remaining element for each subarray
for (int len = 2; len <= n; len++) {
for (int i = 0; i <= n - len; i++) {
int j = i + len - 1;
if (arr[i] == arr[j]) {
// If both numbers are the same, set the remaining element to 0
dp[i][j] = 0;
} else {
// If both numbers are different, set the remaining element to 1
dp[i][j] = 1;
}
}
}
return dp[0][n - 1];
}
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int[] arr = {0, 0, 1};
int result = lastRemainingNumber(arr);
System.out.println(result);
}
}
Python3
def lastRemainingNumber(arr):
n = len(arr)
dp = [[0] * n for _ in range(n)]
# Initialize diagonal elements
for i in range(n):
dp[i][i] = arr[i]
# Calculate remaining element for each subarray
for length in range(2, n + 1):
for i in range(n - length + 1):
j = i + length - 1
if arr[i] == arr[j]:
# If both numbers are the same, set the remaining element to 0
dp[i][j] = 0
else:
# If both numbers are different, set the remaining element to 1
dp[i][j] = 1
return dp[0][n - 1]
if __name__ == "__main__":
arr = [0, 0, 1]
result = lastRemainingNumber(arr)
print(result)
C#
using System;
class Program
{
static int LastRemainingNumber(int[] arr)
{
int n = arr.Length;
int[,] dp = new int[n, n];
// Initialize diagonal elements
for (int i = 0; i < n; i++)
{
dp[i, i] = arr[i];
}
// Calculate remaining element for each subarray
for (int len = 2; len <= n; len++)
{
for (int i = 0; i <= n - len; i++)
{
int j = i + len - 1;
if (arr[i] == arr[j])
{
// If both numbers are the same, set the remaining element to 0
dp[i, j] = 0;
}
else
{
// If both numbers are different, set the remaining element to 1
dp[i, j] = 1;
}
}
}
return dp[0, n - 1];
}
static void Main()
{
int[] arr = { 0, 0, 1 };
int result = LastRemainingNumber(arr);
Console.WriteLine(result);
}
}
JavaScript
function lastRemainingNumber(arr) {
const n = arr.length;
const dp = new Array(n).fill(null).map(() => new Array(n).fill(0));
// Initialize diagonal elements
for (let i = 0; i < n; i++) {
dp[i][i] = arr[i];
}
// Calculate remaining element for each subarray
for (let len = 2; len <= n; len++) {
for (let i = 0; i <= n - len; i++) {
const j = i + len - 1;
if (arr[i] === arr[j]) {
// If both numbers are the same, set the remaining element to 0
dp[i][j] = 0;
} else {
// If both numbers are different, set the remaining element to 1
dp[i][j] = 1;
}
}
}
return dp[0][n - 1];
}
// Main function
const arr = [0, 0, 1];
const result = lastRemainingNumber(arr);
console.log(result); // Print the result to the console
Time Complexity: O(N^2)
Auxiliary Space: O(N^2)
Similar Reads
DSA Tutorial - Learn Data Structures and Algorithms DSA (Data Structures and Algorithms) is the study of organizing data efficiently using data structures like arrays, stacks, and trees, paired with step-by-step procedures (or algorithms) to solve problems effectively. Data structures manage how data is stored and accessed, while algorithms focus on
7 min read
Quick Sort QuickSort is a sorting algorithm based on the Divide and Conquer that picks an element as a pivot and partitions the given array around the picked pivot by placing the pivot in its correct position in the sorted array. It works on the principle of divide and conquer, breaking down the problem into s
12 min read
Merge Sort - Data Structure and Algorithms Tutorials Merge sort is a popular sorting algorithm known for its efficiency and stability. It follows the divide-and-conquer approach. It works by recursively dividing the input array into two halves, recursively sorting the two halves and finally merging them back together to obtain the sorted array. Merge
14 min read
SQL Commands | DDL, DQL, DML, DCL and TCL Commands SQL commands are crucial for managing databases effectively. These commands are divided into categories such as Data Definition Language (DDL), Data Manipulation Language (DML), Data Control Language (DCL), Data Query Language (DQL), and Transaction Control Language (TCL). In this article, we will e
7 min read
Data Structures Tutorial Data structures are the fundamental building blocks of computer programming. They define how data is organized, stored, and manipulated within a program. Understanding data structures is very important for developing efficient and effective algorithms. What is Data Structure?A data structure is a st
2 min read
Bubble Sort Algorithm Bubble Sort is the simplest sorting algorithm that works by repeatedly swapping the adjacent elements if they are in the wrong order. This algorithm is not suitable for large data sets as its average and worst-case time complexity are quite high.We sort the array using multiple passes. After the fir
8 min read
Breadth First Search or BFS for a Graph Given a undirected graph represented by an adjacency list adj, where each adj[i] represents the list of vertices connected to vertex i. Perform a Breadth First Search (BFS) traversal starting from vertex 0, visiting vertices from left to right according to the adjacency list, and return a list conta
15+ min read
Binary Search Algorithm - Iterative and Recursive Implementation Binary Search Algorithm is a searching algorithm used in a sorted array by repeatedly dividing the search interval in half. The idea of binary search is to use the information that the array is sorted and reduce the time complexity to O(log N). Binary Search AlgorithmConditions to apply Binary Searc
15 min read
Insertion Sort Algorithm Insertion sort is a simple sorting algorithm that works by iteratively inserting each element of an unsorted list into its correct position in a sorted portion of the list. It is like sorting playing cards in your hands. You split the cards into two groups: the sorted cards and the unsorted cards. T
9 min read
Array Data Structure Guide In this article, we introduce array, implementation in different popular languages, its basic operations and commonly seen problems / interview questions. An array stores items (in case of C/C++ and Java Primitive Arrays) or their references (in case of Python, JS, Java Non-Primitive) at contiguous
4 min read