我从维基百科那里学到了三元搜索。我不确定参数绝对精度是什么意思。他们没有详细说明。但这是伪代码:
def ternarySearch(f, left, right, absolutePrecision):
#left and right are the current bounds; the maximum is between them
if (right - left) < absolutePrecision:
return (left + right)/2
leftThird = (2*left + right)/3
rightThird = (left + 2*right)/3
if f(leftThird) < f(rightThird):
return ternarySearch(f, leftThird, right, absolutePrecision)
return ternarySearch(f, left, rightThird, absolutePrecision)
我想从单峰函数中找到最大值。这意味着我想打印增加和减少序列的边界点。如果顺序是
1 2 3 4 5 -1 -2 -3 -4
然后我想打印5作为输出。
这是我的尝试。它不提供输出。你能帮忙或给我一些包含三元搜索自学的好教程的链接吗?
#include<iostream>
using namespace std;
int ternary_search(int[], int, int, int);
int precval = 1;
int main()
{
int n, arr[100], target;
cout << "\t\t\tTernary Search\n\n" << endl;
//cout << "This program will find max element in an unidomal array." << endl;
cout << "How many integers: ";
cin >> n;
for (int i=0; i<n; i++)
cin >> arr[i];
cout << endl << "The max number in the array is: ";
int res = ternary_search(arr,0,n-1,precval)+0;
cout << res << endl;
return 0;
}
int ternary_search(int arr[], int left, int right, int precval)
{
if (right-left <= precval)
return (arr[right] > arr[left]) ? arr[right] : arr[left];
int first_third = (left * 2 + right) / 3;
int last_third = (left + right * 2) / 3;
if(arr[first_third] < arr[last_third])
return ternary_search(arr, first_third, right, precval);
else
return ternary_search(arr, left, last_third, precval);
}
提前谢谢。
答案 0 :(得分:2)
绝对精度表示返回结果与真实结果之间的最大误差,即max | returned_result - true_result |
。在这种情况下,f
是一个连续的函数。
由于您正在研究离散函数,因此除了right - left <= 1
之外,您所做的事情要好得多。然后,只需比较两个结果值并返回与较大值相对应的值(因为您正在寻找max
)。
修改强>
第一个分区点(数学上为2/3*left + right/3
)应离散为ceil(2/3*left + right/3)
(以便关系为left < first_third <= last_third < right
因此first_third = (left*2+right)/3
应更改为first_third = (left*2 + right + 2)/3
。
答案 1 :(得分:0)
尝试黄金分割搜索(或Fibonacci搜索离散函数)。 与上述三元搜索相比,它具有较少的递归和f的评估减少50%。