Find three closest elements from given three sorted arrays
Last Updated :
26 Oct, 2023
Given three sorted arrays A[], B[] and C[], find 3 elements i, j and k from A, B and C respectively such that max(abs(A[i] - B[j]), abs(B[j] - C[k]), abs(C[k] - A[i])) is minimized. Here abs() indicates absolute value.
Example :
Input : A[] = {1, 4, 10}
B[] = {2, 15, 20}
C[] = {10, 12}
Output: 10 15 10
Explanation: 10 from A, 15 from B and 10 from C
Input: A[] = {20, 24, 100}
B[] = {2, 19, 22, 79, 800}
C[] = {10, 12, 23, 24, 119}
Output: 24 22 23
Explanation: 24 from A, 22 from B and 23 from C
We strongly recommend you to minimize your browser and try this yourself first.
A Simple Solution is to run three nested loops to consider all triplets from A, B and C. Compute the value of max(abs(A[i] - B[j]), abs(B[j] - C[k]), abs(C[k] - A[i])) for every triplet and return minimum of all values.
Steps to implement-
- Declared three variables a,b, and c to store final answers
- Initialized a variable "ans" with the Maximum value
- We will store a minimum of max(abs(A[i] - B[j]), abs(B[j] - C[k]), abs(C[k] - A[i])) in "ans" variable
- Run three nested loops where each loop is for each array
- From that loop if max(abs(A[i] - B[j]), abs(B[j] - C[k]), abs(C[k] - A[i])) is less than a minimum of max(abs(A[i] - B[j]), abs(B[j] - C[k]), abs(C[k] - A[i])) present in "ans"
- Then, update "ans" with new max(abs(A[i] - B[j]), abs(B[j] - C[k]), abs(C[k] - A[i])) and that three variable a,b,c with three elements of those arrays
- In the last print value present in a,b,c
Code-
C++
// C++ program to find 3 elements such that max(abs(A[i]-B[j]),
//abs(B[j]-C[k]), abs(C[k]-A[i])) is minimized.
#include<bits/stdc++.h>
using namespace std;
void findClosest(int A[], int B[], int C[], int p, int q, int r)
{
//Three variable to store answer
int a,b,c;
//To Store minimum of max(abs(A[i]-B[j]),abs(B[j]-C[k]),
//abs(C[k]-A[i]))
int ans=INT_MAX;
//Run three nested loop
for(int i=0;i<p;i++){
for(int j=0;j<q;j++){
for(int k=0;k<r;k++){
int curr=max(abs(A[i]-B[j]),abs(B[j]-C[k]));
int temp=max(curr,abs(C[k]-A[i]));
//If that is minimum than previous then update answer
if(temp<ans){
ans=temp;
a=A[i];
b=B[j];
c=C[k];
}
}
}
}
//Printing final answer
cout<<a<<" "<<b<<" "<<c<<endl;
}
// Driver program
int main()
{
int A[] = {1, 4, 10};
int B[] = {2, 15, 20};
int C[] = {10, 12};
int p = sizeof A / sizeof A[0];
int q = sizeof B / sizeof B[0];
int r = sizeof C / sizeof C[0];
findClosest(A, B, C, p, q, r);
return 0;
}
Java
// Java program to find 3 elements such that
// max(abs(A[i]-B[j]),
// abs(B[j]-C[k]), abs(C[k]-A[i])) is minimized.
import java.util.Arrays;
public class GFG {
public static void findClosest(int[] A, int[] B,
int[] C, int p, int q,
int r)
{
// Three variable to store answer
int a = 0, b = 0, c = 0;
// To Store minimum of
// max(abs(A[i]-B[j]),abs(B[j]-C[k]),
// abs(C[k]-A[i]))
int ans = Integer.MAX_VALUE;
// Run three nested loop
for (int i = 0; i < p; i++) {
for (int j = 0; j < q; j++) {
for (int k = 0; k < r; k++) {
int curr
= Math.max(Math.abs(A[i] - B[j]),
Math.abs(B[j] - C[k]));
int temp = Math.max(
curr, Math.abs(C[k] - A[i]));
// If that is minimum than previous then
// update answer
if (temp < ans) {
ans = temp;
a = A[i];
b = B[j];
c = C[k];
}
}
}
}
// Printing final answer
System.out.println(a + " " + b + " " + c);
}
// Driver program
public static void main(String[] args)
{
int[] A = { 1, 4, 10 };
int[] B = { 2, 15, 20 };
int[] C = { 10, 12 };
int p = A.length;
int q = B.length;
int r = C.length;
findClosest(A, B, C, p, q, r);
}
}
Python3
# Python program to find 3 elements such that max(abs(A[i]-B[j]),
# abs(B[j]-C[k]), abs(C[k]-A[i])) is minimized.
def findClosest(A, B, C, p, q, r):
# Three variables to store answer
a, b, c = None, None, None
# To store the minimum of max(abs(A[i]-B[j]), abs(B[j]-C[k]),
# abs(C[k]-A[i]))
ans = float('inf')
# Run three nested loops
for i in range(p):
for j in range(q):
for k in range(r):
curr = max(abs(A[i]-B[j]), abs(B[j]-C[k]))
temp = max(curr, abs(C[k]-A[i]))
# If that is minimum than previous, then update answer
if temp < ans:
ans = temp
a, b, c = A[i], B[j], C[k]
# Printing final answer
print(a, b, c)
# Driver program
A = [1, 4, 10]
B = [2, 15, 20]
C = [10, 12]
p = len(A)
q = len(B)
r = len(C)
findClosest(A, B, C, p, q, r)
# by phasing17
C#
using System;
class Program
{
static void FindClosest(int[] A, int[] B, int[] C, int p, int q, int r)
{
// Three variables to store the answer
int a = 0, b = 0, c = 0;
// To store the minimum of max(abs(A[i]-B[j]), abs(B[j]-C[k]), abs(C[k]-A[i]))
int ans = int.MaxValue;
// Run three nested loops
for (int i = 0; i < p; i++)
{
for (int j = 0; j < q; j++)
{
for (int k = 0; k < r; k++)
{
int curr = Math.Max(Math.Abs(A[i] - B[j]), Math.Abs(B[j] - C[k]));
int temp = Math.Max(curr, Math.Abs(C[k] - A[i]));
// If that is minimum than previous then update answer
if (temp < ans)
{
ans = temp;
a = A[i];
b = B[j];
c = C[k];
}
}
}
}
// Printing the final answer
Console.WriteLine($"{a} {b} {c}");
}
static void Main(string[] args)
{
int[] A = { 1, 4, 10 };
int[] B = { 2, 15, 20 };
int[] C = { 10, 12 };
int p = A.Length;
int q = B.Length;
int r = C.Length;
FindClosest(A, B, C, p, q, r);
}
}
// This code is contributed by shivamgupta310570
JavaScript
// JS program to find 3 elements such that max(abs(A[i]-B[j]),
//abs(B[j]-C[k]), abs(C[k]-A[i])) is minimized.
function findClosest(A, B, C, p, q, r)
{
//Three variable to store answer
let a,b,c;
//To Store minimum of max(abs(A[i]-B[j]),abs(B[j]-C[k]),
//abs(C[k]-A[i]))
let ans = Number.MAX_VALUE;
//Run three nested loop
for(let i=0;i<p;i++){
for(let j=0;j<q;j++){
for(let k=0;k<r;k++){
let curr=Math.max(Math.abs(A[i]-B[j]),Math.abs(B[j]-C[k]));
let temp=Math.max(curr,Math.abs(C[k]-A[i]));
//If that is minimum than previous then update answer
if(temp<ans){
ans=temp;
a=A[i];
b=B[j];
c=C[k];
}
}
}
}
//Printing final answer
console.log(a+ " " + b+ " " + c);
}
// Driver program
let A = [1, 4, 10];
let B = [2, 15, 20];
let C = [10, 12];
let p = A.length;
let q = B.length;
let r = C.length;
findClosest(A, B, C, p, q, r);
Output-
10 15 10
Time complexity :O(N3),because of three nested loops
Auxiliary space: O(1),because no extra space has been used
A Better Solution is to use Binary Search.
1) Iterate over all elements of A[],
a) Binary search for element just smaller than or equal to in B[] and C[], and note the difference.
2) Repeat step 1 for B[] and C[].
3) Return overall minimum.
Time complexity of this solution is O(nLogn)
Efficient Solution Let 'p' be size of A[], 'q' be size of B[] and 'r' be size of C[]
1) Start with i=0, j=0 and k=0 (Three index variables for A,
B and C respectively)
// p, q and r are sizes of A[], B[] and C[] respectively.
2) Do following while i < p and j < q and k < r
a) Find min and maximum of A[i], B[j] and C[k]
b) Compute diff = max(X, Y, Z) - min(A[i], B[j], C[k]).
c) If new result is less than current result, change
it to the new result.
d) Increment the pointer of the array which contains
the minimum.
Note that we increment the pointer of the array which has the minimum because our goal is to decrease the difference. Increasing the maximum pointer increases the difference. Increase the second maximum pointer can potentially increase the difference.
C++
// C++ program to find 3 elements such that max(abs(A[i]-B[j]), abs(B[j]-
// C[k]), abs(C[k]-A[i])) is minimized.
#include<bits/stdc++.h>
using namespace std;
void findClosest(int A[], int B[], int C[], int p, int q, int r)
{
int diff = INT_MAX; // Initialize min diff
// Initialize result
int res_i =0, res_j = 0, res_k = 0;
// Traverse arrays
int i=0,j=0,k=0;
while (i < p && j < q && k < r)
{
// Find minimum and maximum of current three elements
int minimum = min(A[i], min(B[j], C[k]));
int maximum = max(A[i], max(B[j], C[k]));
// Update result if current diff is less than the min
// diff so far
if (maximum-minimum < diff)
{
res_i = i, res_j = j, res_k = k;
diff = maximum - minimum;
}
// We can't get less than 0 as values are absolute
if (diff == 0) break;
// Increment index of array with smallest value
if (A[i] == minimum) i++;
else if (B[j] == minimum) j++;
else k++;
}
// Print result
cout << A[res_i] << " " << B[res_j] << " " << C[res_k];
}
// Driver program
int main()
{
int A[] = {1, 4, 10};
int B[] = {2, 15, 20};
int C[] = {10, 12};
int p = sizeof A / sizeof A[0];
int q = sizeof B / sizeof B[0];
int r = sizeof C / sizeof C[0];
findClosest(A, B, C, p, q, r);
return 0;
}
Java
// Java program to find 3 elements such
// that max(abs(A[i]-B[j]), abs(B[j]-C[k]),
// abs(C[k]-A[i])) is minimized.
import java.io.*;
class GFG {
static void findClosest(int A[], int B[], int C[],
int p, int q, int r)
{
int diff = Integer.MAX_VALUE; // Initialize min diff
// Initialize result
int res_i =0, res_j = 0, res_k = 0;
// Traverse arrays
int i = 0, j = 0, k = 0;
while (i < p && j < q && k < r)
{
// Find minimum and maximum of current three elements
int minimum = Math.min(A[i],
Math.min(B[j], C[k]));
int maximum = Math.max(A[i],
Math.max(B[j], C[k]));
// Update result if current diff is
// less than the min diff so far
if (maximum-minimum < diff)
{
res_i = i;
res_j = j;
res_k = k;
diff = maximum - minimum;
}
// We can't get less than 0
// as values are absolute
if (diff == 0) break;
// Increment index of array
// with smallest value
if (A[i] == minimum) i++;
else if (B[j] == minimum) j++;
else k++;
}
// Print result
System.out.println(A[res_i] + " " +
B[res_j] + " " + C[res_k]);
}
// Driver code
public static void main (String[] args)
{
int A[] = {1, 4, 10};
int B[] = {2, 15, 20};
int C[] = {10, 12};
int p = A.length;
int q = B.length;
int r = C.length;
// Function calling
findClosest(A, B, C, p, q, r);
}
}
// This code is contributed by Ajit.
Python3
# Python program to find 3 elements such
# that max(abs(A[i]-B[j]), abs(B[j]- C[k]),
# abs(C[k]-A[i])) is minimized.
import sys
def findCloset(A, B, C, p, q, r):
# Initialize min diff
diff = sys.maxsize
res_i = 0
res_j = 0
res_k = 0
# Traverse Array
i = 0
j = 0
k = 0
while(i < p and j < q and k < r):
# Find minimum and maximum of
# current three elements
minimum = min(A[i], min(B[j], C[k]))
maximum = max(A[i], max(B[j], C[k]));
# Update result if current diff is
# less than the min diff so far
if maximum-minimum < diff:
res_i = i
res_j = j
res_k = k
diff = maximum - minimum;
# We can 't get less than 0 as
# values are absolute
if diff == 0:
break
# Increment index of array with
# smallest value
if A[i] == minimum:
i = i+1
elif B[j] == minimum:
j = j+1
else:
k = k+1
# Print result
print(A[res_i], " ", B[res_j], " ", C[res_k])
# Driver Program
A = [1, 4, 10]
B = [2, 15, 20]
C = [10, 12]
p = len(A)
q = len(B)
r = len(C)
findCloset(A,B,C,p,q,r)
# This code is contributed by Shrikant13.
C#
// C# program to find 3 elements
// such that max(abs(A[i]-B[j]),
// abs(B[j]-C[k]), abs(C[k]-A[i]))
// is minimized.
using System;
class GFG
{
static void findClosest(int []A, int []B,
int []C, int p,
int q, int r)
{
// Initialize min diff
int diff = int.MaxValue;
// Initialize result
int res_i = 0,
res_j = 0,
res_k = 0;
// Traverse arrays
int i = 0, j = 0, k = 0;
while (i < p && j < q && k < r)
{
// Find minimum and maximum
// of current three elements
int minimum = Math.Min(A[i],
Math.Min(B[j], C[k]));
int maximum = Math.Max(A[i],
Math.Max(B[j], C[k]));
// Update result if current
// diff is less than the min
// diff so far
if (maximum - minimum < diff)
{
res_i = i;
res_j = j;
res_k = k;
diff = maximum - minimum;
}
// We can't get less than 0
// as values are absolute
if (diff == 0) break;
// Increment index of array
// with smallest value
if (A[i] == minimum) i++;
else if (B[j] == minimum) j++;
else k++;
}
// Print result
Console.WriteLine(A[res_i] + " " +
B[res_j] + " " +
C[res_k]);
}
// Driver code
public static void Main ()
{
int []A = {1, 4, 10};
int []B = {2, 15, 20};
int []C = {10, 12};
int p = A.Length;
int q = B.Length;
int r = C.Length;
// Function calling
findClosest(A, B, C, p, q, r);
}
}
// This code is contributed
// by anuj_67.
JavaScript
<script>
// JavaScript program to find 3 elements
// such that max(abs(A[i]-B[j]), abs(B[j]-
// C[k]), abs(C[k]-A[i])) is minimized.
function findClosest(A, B, C, p, q, r)
{
var diff = Math.pow(10, 9); // Initialize min diff
// Initialize result
var res_i = 0,
res_j = 0,
res_k = 0;
// Traverse arrays
var i = 0,
j = 0,
k = 0;
while (i < p && j < q && k < r)
{
// Find minimum and maximum of current three elements
var minimum = Math.min(A[i], Math.min(B[j], C[k]));
var maximum = Math.max(A[i], Math.max(B[j], C[k]));
// Update result if current diff is less than the min
// diff so far
if (maximum - minimum < diff)
{
(res_i = i), (res_j = j), (res_k = k);
diff = maximum - minimum;
}
// We can't get less than 0 as values are absolute
if (diff == 0) break;
// Increment index of array with smallest value
if (A[i] == minimum)
i++;
else if (B[j] == minimum)
j++;
else
k++;
}
// Print result
document.write(A[res_i] + " " + B[res_j] + " " + C[res_k]);
}
// Driver program
var A = [1, 4, 10];
var B = [2, 15, 20];
var C = [10, 12];
var p = A.length;
var q = B.length;
var r = C.length;
findClosest(A, B, C, p, q, r);
// This code is contributed by rdtank.
</script>
PHP
<?php
// PHP program to find 3 elements such
// that max(abs(A[i]-B[j]), abs(B[j]-
// C[k]), abs(C[k]-A[i])) is minimized.
function findClosest($A, $B, $C, $p, $q, $r)
{
$diff = PHP_INT_MAX; // Initialize min diff
// Initialize result
$res_i = 0;
$res_j = 0;
$res_k = 0;
// Traverse arrays
$i = 0;
$j = 0;
$k = 0;
while ($i < $p && $j < $q && $k < $r)
{
// Find minimum and maximum of
// current three elements
$minimum = min($A[$i], min($B[$j], $C[$k]));
$maximum = max($A[$i], max($B[$j], $C[$k]));
// Update result if current diff is
// less than the min diff so far
if ($maximum-$minimum < $diff)
{
$res_i = $i; $res_j = $j; $res_k = $k;
$diff = $maximum - $minimum;
}
// We can't get less than 0 as
// values are absolute
if ($diff == 0) break;
// Increment index of array with
// smallest value
if ($A[$i] == $minimum) $i++;
else if ($B[$j] == $minimum) $j++;
else $k++;
}
// Print result
echo $A[$res_i] , " ", $B[$res_j],
" ", $C[$res_k];
}
// Driver Code
$A = array(1, 4, 10);
$B = array(2, 15, 20);
$C = array(10, 12);
$p = sizeof($A);
$q = sizeof($B);
$r = sizeof($C);
findClosest($A, $B, $C, $p, $q, $r);
// This code is contributed by Sach_Code
?>
Output:
10 15 10
Time complexity of this solution is O(p + q + r) where p, q and r are sizes of A[], B[] and C[] respectively.
Auxiliary space: O(1) as constant space is required.
Approach 2: Using Binary Search:
Another approach to solve this problem can be to use binary search along with two pointers.
First, sort all the three arrays A, B, and C. Then, we take three pointers, one for each array. For each i, j, k combination, we calculate the maximum difference using the absolute value formula given in the problem. If the current maximum difference is less than the minimum difference found so far, then we update our result.
Next, we move our pointers based on the value of the maximum element among the current i, j, k pointers. We increment the pointer of the array with the smallest maximum element, hoping to find a smaller difference.
The time complexity of this approach will be O(nlogn) due to sorting, where n is the size of the largest array.
Here's the code for this approach:
C++
#include<bits/stdc++.h>
using namespace std;
void findClosest(int A[], int B[], int C[], int p, int q, int r)
{
sort(A, A+p);
sort(B, B+q);
sort(C, C+r);
int diff = INT_MAX; // Initialize min diff
// Initialize result
int res_i =0, res_j = 0, res_k = 0;
// Traverse arrays
int i=0,j=0,k=0;
while (i < p && j < q && k < r)
{
// Find minimum and maximum of current three elements
int minimum = min(A[i], min(B[j], C[k]));
int maximum = max(A[i], max(B[j], C[k]));
// Calculate the maximum difference for the current combination
int curDiff = abs(maximum - minimum);
// Update result if current diff is less than the min
// diff so far
if (curDiff < diff)
{
res_i = i, res_j = j, res_k = k;
diff = curDiff;
}
// If the maximum element of A is the smallest among the three,
// we move the A pointer forward
if (A[i] == minimum && A[i] <= B[j] && A[i] <= C[k]) i++;
// If the maximum element of B is the smallest among the three,
// we move the B pointer forward
else if (B[j] == minimum && B[j] <= A[i] && B[j] <= C[k]) j++;
// If the maximum element of C is the smallest among the three,
// we move the C pointer forward
else k++;
}
// Print result
cout << A[res_i] << " " << B[res_j] << " " << C[res_k];
}
// Driver program
int main()
{
int A[] = {1, 4, 10};
int B[] = {2, 15, 20};
int C[] = {10, 12};
int p = sizeof A / sizeof A[0];
int q = sizeof B / sizeof B[0];
int r = sizeof C / sizeof C[0];
findClosest(A, B, C, p, q, r);
return 0;
}
Java
import java.util.*;
public class Main {
public static void findClosest(int[] A, int[] B, int[] C, int p, int q, int r) {
Arrays.sort(A);
Arrays.sort(B);
Arrays.sort(C);
int diff = Integer.MAX_VALUE; // Initialize min diff
// Initialize result
int res_i = 0, res_j = 0, res_k = 0;
// Traverse arrays
int i = 0, j = 0, k = 0;
while (i < p && j < q && k < r) {
// Find minimum and maximum of current three elements
int minimum = Math.min(A[i], Math.min(B[j], C[k]));
int maximum = Math.max(A[i], Math.max(B[j], C[k]));
// Calculate the maximum difference for the current combination
int curDiff = Math.abs(maximum - minimum);
// Update result if current diff is less than the min
// diff so far
if (curDiff < diff) {
res_i = i;
res_j = j;
res_k = k;
diff = curDiff;
}
// If the maximum element of A is the smallest among the three,
// we move the A pointer forward
if (A[i] == minimum && A[i] <= B[j] && A[i] <= C[k])
i++;
// If the maximum element of B is the smallest among the three,
// we move the B pointer forward
else if (B[j] == minimum && B[j] <= A[i] && B[j] <= C[k])
j++;
// If the maximum element of C is the smallest among the three,
// we move the C pointer forward
else
k++;
}
// Print result
System.out.println(A[res_i] + " " + B[res_j] + " " + C[res_k]);
}
// Driver program
public static void main(String[] args) {
int[] A = {1, 4, 10};
int[] B = {2, 15, 20};
int[] C = {10, 12};
int p = A.length;
int q = B.length;
int r = C.length;
findClosest(A, B, C, p, q, r);
}
}
Python3
import sys
def find_closest(A, B, C):
p, q, r = len(A), len(B), len(C)
A.sort()
B.sort()
C.sort()
diff = sys.maxsize
res_i, res_j, res_k = 0, 0, 0
i = j = k = 0
while i < p and j < q and k < r:
minimum = min(A[i], min(B[j], C[k]))
maximum = max(A[i], max(B[j], C[k]))
cur_diff = abs(maximum - minimum)
if cur_diff < diff:
res_i, res_j, res_k = i, j, k
diff = cur_diff
if A[i] == minimum and A[i] <= B[j] and A[i] <= C[k]:
i += 1
elif B[j] == minimum and B[j] <= A[i] and B[j] <= C[k]:
j += 1
else:
k += 1
return [A[res_i], B[res_j], C[res_k]]
# Driver program
A = [1, 4, 10]
B = [2, 15, 20]
C = [10, 12]
print(find_closest(A, B, C)) # Output: [4, 10, 10]
C#
using System;
public class Program
{
public static int[] FindClosest(int[] A, int[] B, int[] C)
{
int p = A.Length;
int q = B.Length;
int r = C.Length;
Array.Sort(A);
Array.Sort(B);
Array.Sort(C);
int diff = int.MaxValue;
int res_i = 0, res_j = 0, res_k = 0;
int i = 0, j = 0, k = 0;
while (i < p && j < q && k < r)
{
int minimum = Math.Min(A[i], Math.Min(B[j], C[k]));
int maximum = Math.Max(A[i], Math.Max(B[j], C[k]));
int curDiff = Math.Abs(maximum - minimum);
if (curDiff < diff)
{
res_i = i;
res_j = j;
res_k = k;
diff = curDiff;
}
if (A[i] == minimum && A[i] <= B[j] && A[i] <= C[k])
{
i++;
}
else if (B[j] == minimum && B[j] <= A[i] && B[j] <= C[k])
{
j++;
}
else
{
k++;
}
}
return new int[] { A[res_i], B[res_j], C[res_k] };
}
public static void Main()
{
int[] A = { 1, 4, 10 };
int[] B = { 2, 15, 20 };
int[] C = { 10, 12 };
int[] result = FindClosest(A, B, C);
Console.WriteLine(string.Join(" ", result));
}
}
JavaScript
// Function to find the closest elements from three sorted arrays
function find_closest(A, B, C) {
// Get the length of the three arrays
let p = A.length,
q = B.length,
r = C.length;
// Sort the three arrays in non-decreasing order
A.sort((a, b) => a - b);
B.sort((a, b) => a - b);
C.sort((a, b) => a - b);
// Initialize variables to store the minimum difference and the indices
// of the closest elements
let diff = Number.MAX_SAFE_INTEGER;
let res_i = 0,
res_j = 0,
res_k = 0;
// Initialize indices to traverse the three arrays
let i = 0,
j = 0,
k = 0;
// Traverse the arrays until we reach the end of any one of them
while (i < p && j < q && k < r) {
// Get the minimum and maximum elements from the three arrays
let minimum = Math.min(A[i], Math.min(B[j], C[k]));
let maximum = Math.max(A[i], Math.max(B[j], C[k]));
// Calculate the difference between the maximum and minimum elements
let cur_diff = Math.abs(maximum - minimum);
// Update the variables to store the indices of the closest elements
// if the current difference is less than the minimum difference
if (cur_diff < diff) {
res_i = i;
res_j = j;
res_k = k;
diff = cur_diff;
}
// Increment the index of the array with the minimum element
if (A[i] == minimum && A[i] <= B[j] && A[i] <= C[k]) {
i++;
} else if (B[j] == minimum && B[j] <= A[i] && B[j] <= C[k]) {
j++;
} else {
k++;
}
}
// Return the closest elements from the three arrays
return [A[res_i], B[res_j], C[res_k]];
}
// Driver program
let A = [1, 4, 10];
let B = [2, 15, 20];
let C = [10, 12];
// Call the find_closest function with the three arrays and print the result
console.log(find_closest(A, B, C));
OUTPUT:
10 15 10
Time complexity :O(NlogN)
Auxiliary space: O(1) as constant space is required.
//Thanks to Gaurav Ahirwar for suggesting the above solutions.
Similar Reads
Basics & Prerequisites
Data Structures
Array Data StructureIn 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
3 min read
String in Data StructureA string is a sequence of characters. The following facts make string an interesting data structure.Small set of elements. Unlike normal array, strings typically have smaller set of items. For example, lowercase English alphabet has only 26 characters. ASCII has only 256 characters.Strings are immut
2 min read
Hashing in Data StructureHashing is a technique used in data structures that efficiently stores and retrieves data in a way that allows for quick access. Hashing involves mapping data to a specific index in a hash table (an array of items) using a hash function. It enables fast retrieval of information based on its key. The
2 min read
Linked List Data StructureA linked list is a fundamental data structure in computer science. It mainly allows efficient insertion and deletion operations compared to arrays. Like arrays, it is also used to implement other data structures like stack, queue and deque. Hereâs the comparison of Linked List vs Arrays Linked List:
2 min read
Stack Data StructureA Stack is a linear data structure that follows a particular order in which the operations are performed. The order may be LIFO(Last In First Out) or FILO(First In Last Out). LIFO implies that the element that is inserted last, comes out first and FILO implies that the element that is inserted first
2 min read
Queue Data StructureA Queue Data Structure is a fundamental concept in computer science used for storing and managing data in a specific order. It follows the principle of "First in, First out" (FIFO), where the first element added to the queue is the first one to be removed. It is used as a buffer in computer systems
2 min read
Tree Data StructureTree Data Structure is a non-linear data structure in which a collection of elements known as nodes are connected to each other via edges such that there exists exactly one path between any two nodes. Types of TreeBinary Tree : Every node has at most two childrenTernary Tree : Every node has at most
4 min read
Graph Data StructureGraph Data Structure is a collection of nodes connected by edges. It's used to represent relationships between different entities. If you are looking for topic-wise list of problems on different topics like DFS, BFS, Topological Sort, Shortest Path, etc., please refer to Graph Algorithms. Basics of
3 min read
Trie Data StructureThe Trie data structure is a tree-like structure used for storing a dynamic set of strings. It allows for efficient retrieval and storage of keys, making it highly effective in handling large datasets. Trie supports operations such as insertion, search, deletion of keys, and prefix searches. In this
15+ min read
Algorithms
Searching AlgorithmsSearching algorithms are essential tools in computer science used to locate specific items within a collection of data. In this tutorial, we are mainly going to focus upon searching in an array. When we search an item in an array, there are two most common algorithms used based on the type of input
2 min read
Sorting AlgorithmsA Sorting Algorithm is used to rearrange a given array or list of elements in an order. For example, a given array [10, 20, 5, 2] becomes [2, 5, 10, 20] after sorting in increasing order and becomes [20, 10, 5, 2] after sorting in decreasing order. There exist different sorting algorithms for differ
3 min read
Introduction to RecursionThe process in which a function calls itself directly or indirectly is called recursion and the corresponding function is called a recursive function. A recursive algorithm takes one step toward solution and then recursively call itself to further move. The algorithm stops once we reach the solution
14 min read
Greedy AlgorithmsGreedy algorithms are a class of algorithms that make locally optimal choices at each step with the hope of finding a global optimum solution. At every step of the algorithm, we make a choice that looks the best at the moment. To make the choice, we sometimes sort the array so that we can always get
3 min read
Graph AlgorithmsGraph is a non-linear data structure like tree data structure. The limitation of tree is, it can only represent hierarchical data. For situations where nodes or vertices are randomly connected with each other other, we use Graph. Example situations where we use graph data structure are, a social net
3 min read
Dynamic Programming or DPDynamic Programming is an algorithmic technique with the following properties.It is mainly an optimization over plain recursion. Wherever we see a recursive solution that has repeated calls for the same inputs, we can optimize it using Dynamic Programming. The idea is to simply store the results of
3 min read
Bitwise AlgorithmsBitwise algorithms in Data Structures and Algorithms (DSA) involve manipulating individual bits of binary representations of numbers to perform operations efficiently. These algorithms utilize bitwise operators like AND, OR, XOR, NOT, Left Shift, and Right Shift.BasicsIntroduction to Bitwise Algorit
4 min read
Advanced
Segment TreeSegment Tree is a data structure that allows efficient querying and updating of intervals or segments of an array. It is particularly useful for problems involving range queries, such as finding the sum, minimum, maximum, or any other operation over a specific range of elements in an array. The tree
3 min read
Pattern SearchingPattern searching algorithms are essential tools in computer science and data processing. These algorithms are designed to efficiently find a particular pattern within a larger set of data. Patten SearchingImportant Pattern Searching Algorithms:Naive String Matching : A Simple Algorithm that works i
2 min read
GeometryGeometry is a branch of mathematics that studies the properties, measurements, and relationships of points, lines, angles, surfaces, and solids. From basic lines and angles to complex structures, it helps us understand the world around us.Geometry for Students and BeginnersThis section covers key br
2 min read
Interview Preparation
Practice Problem