📌  相关文章
📜  从给定的N个点到所有其他点的距离之和最小的点找到X轴上的点

📅  最后修改于: 2021-05-17 06:12:31             🧑  作者: Mango

给定一个由N个整数组成的数组arr [] ,表示位于X轴上的N个点,任务是找到与所有其他点的距离总和最小的点。

例子:

天真的方法:
任务是遍历数组,并为每个数组元素计算其与所有其他数组元素的绝对差之和。最后,打印具有最大差异之和的数组元素。
时间复杂度: O(N 2 )
辅助空间: O(1)

高效方法:为了优化上述方法,其思想是找到阵列的中值。数组的中位数与数组中其他元素的总距离最小。对于具有偶数个元素的数组,有两个可能的中值,并且两者的总距离相同,请返回具有较低索引的一个,因为它离原点更近。

请按照以下步骤解决问题:

  • 对给定的数组进行排序。
  • 如果N奇数,则返回第(N +1 / 2)元素。
  • 否则,返回第(N / 2)元素。

下面是上述方法的实现:

C++
// C++ Program to implement
// the above approach
#include 
using namespace std;
 
// Function to find median of the array
int findLeastDist(int A[], int N)
{
    // Sort the given array
    sort(A, A + N);
 
    // If number of elements are even
    if (N % 2 == 0) {
 
        // Return the first median
        return A[(N - 1) / 2];
    }
 
    // Otherwise
    else {
        return A[N / 2];
    }
}
 
// Driver Code
int main()
{
 
    int A[] = { 4, 1, 5, 10, 2 };
    int N = sizeof(A) / sizeof(A[0]);
    cout << "(" << findLeastDist(A, N)
         << ", " << 0 << ")";
 
    return 0;
}


Java
// Java program to implement
// the above approach
import java.util.*;
 
class GFG{
 
// Function to find median of the array
static int findLeastDist(int A[], int N)
{
     
    // Sort the given array
    Arrays.sort(A);
 
    // If number of elements are even
    if (N % 2 == 0)
    {
         
        // Return the first median
        return A[(N - 1) / 2];
    }
 
    // Otherwise
    else
    {
        return A[N / 2];
    }
}
 
// Driver Code
public static void main(String[] args)
{
    int A[] = { 4, 1, 5, 10, 2 };
    int N = A.length;
     
    System.out.print("(" + findLeastDist(A, N) +
                    ", " + 0 + ")");
}
}
 
// This code is contributed by PrinciRaj1992


Python3
# Python3 program to implement
# the above approach
 
# Function to find median of the array
def findLeastDist(A, N):
     
    # Sort the given array
    A.sort();
 
    # If number of elements are even
    if (N % 2 == 0):
 
        # Return the first median
        return A[(N - 1) // 2];
 
    # Otherwise
    else:
        return A[N // 2];
 
# Driver Code
A = [4, 1, 5, 10, 2];
N = len(A);
 
print("(" , findLeastDist(A, N),
      ", " , 0 , ")");
 
# This code is contributed by PrinciRaj1992


C#
// C# program to implement
// the above approach
using System;
 
class GFG{
 
// Function to find median of the array
static int findLeastDist(int []A, int N)
{
     
    // Sort the given array
    Array.Sort(A);
 
    // If number of elements are even
    if (N % 2 == 0)
    {
         
        // Return the first median
        return A[(N - 1) / 2];
    }
 
    // Otherwise
    else
    {
        return A[N / 2];
    }
}
 
// Driver Code
public static void Main(string[] args)
{
    int []A = { 4, 1, 5, 10, 2 };
    int N = A.Length;
     
    Console.Write("(" + findLeastDist(A, N) +
                 ", " + 0 + ")");
}
}
 
// This code is contributed by rutvik_56


Javascript


输出:
(4, 0)

时间复杂度: O(Nlog(N))
辅助空间: O(1)