作者:杜庆坤66 | 来源:互联网 | 2023-09-25 00:45
使用给定点找到离原点的最大可能距离
原文:https://www . geeksforgeeks . org/使用给定的点找到离原点的最大可能距离/
给定 N 个二维点。任务是使用给定点找到离原点的最大可能距离。使用IthT5(xI,y i ) 可以从 (a,b) 移动到 (a + x i ,b + y i ) 。
注: N 位于 1 至 1000 之间,每个点最多可以使用一次。
示例:
输入: arr[][] = {{1,1},{2,2},{3,3},{4,4}}
输出: 14.14
我们能移动到的最远的点是(10,10)。
输入: arr[][] = {{0,10},{5,-5},{-5,-5 } }
T3】输出: 10.00
方法:关键的观察是,当点按其向量与 x 轴的角度排序时,答案将包括一些连续范围内的向量。这个事实的证明可以从这里阅读。那么,解决方案相当容易实现。迭代所有可能的范围,计算每个范围的答案,取最大值作为结果。如果实施得当,这是一种 O(N 2 )方法。
下面是上述方法的实现:
// C++ implementation of the approach
#include
using namespace std;
// Function to find the maximum possible
// distance from origin using given points.
void Max_Distance(vector >& xy, int n)
{
// Sort the points with their tan angle
sort(xy.begin(), xy.end(), [](const pair& l,
const pair& r) {
return atan2l(l.second, l.first)
});
// Push the whole vector
for (int i = 0; i xy.push_back(xy[i]);
// To store the required answer
int res = 0;
// Find the maximum possible answer
for (int i = 0; i int x = 0, y = 0;
for (int j = i; j x += xy[j].first;
y += xy[j].second;
res = max(res, x * x + y * y);
}
}
// Print the required answer
cout <}
// Driver code
int main()
{
vector > vec = { { 1, 1 },
{ 2, 2 },
{ 3, 3 },
{ 4, 4 } };
int n = vec.size();
// Function call
Max_Distance(vec, n);
return 0;
}
Output:
14.14