二分探索 (Other/binary_search.hpp)
- View this file on GitHub
- View document part on GitHub
- Last update: 2025-09-21 00:00:31+09:00
- Include:
#include "Other/binary_search.hpp"
二分探索
めぐる式二分探索により、与えられた条件を満たす境界値を求める関数です。 条件関数 check は単調性を仮定しています。
bin_search (integer)
template <typename T>
enable_if_t<is_integral_v<T>, T>
bin_search(T ok, T ng, function<bool(T)> check)
区間 [ok, ng) もしくは (ng, ok] において、
-
check(ok) = true -
check(ng) = false
を満たす初期値を与えると、最終的に以下を満たす境界値を返します。
-
戻り値
retは常に条件を満たします (check(ret) = true)。 -
隣の値
ret + 1またはret - 1は常に条件を満たしません (check(ret ± 1) = false)。
計算量
- $O(\log \mid ok - ng \mid)$
bin_search (float)
template <typename T>
enable_if_t<is_floating_point_v<T>, T>
bin_search(T ok, T ng, function<bool(T)> check, T precision = 1e-9)
区間 [ok, ng) または (ng, ok] において、浮動小数点数の探索を行います。 最終的に以下を満たす境界値 n を返します。
-
check(n) = true,check(n + precision) = false
もしくは
-
check(n - precision) = false,check(n) = true
つまり、条件が変化する境界を精度 precision 内で判定します。
計算量
- $O\left(\log\left(\frac{\mid ok - ng\mid}{\text{precision}}\right)\right)$
Required by
Verified with
test/DataStructure/nth_accumulater/abc300-f.cpp
test/Math/kth_root_integer/yosupo-kth_root_integer.cpp
test/Other/binary_search/yukicoder-0067.cpp
test/Tree/lowest_common_ancestor/aoj-GRL_5_C.cpp
test/Tree/lowest_common_ancestor/yosupo-lca.cpp
Code
#include <bits/stdc++.h>
using namespace std;
template <typename T>
enable_if_t<is_integral_v<T>, T>
bin_search(T ok, T ng, function<bool(T)> check)
{
while (max(ok, ng) - min(ok, ng) > 1)
{
T mid = midpoint(ok, ng);
(check(mid) ? ok : ng) = mid;
}
return ok;
}
template <typename T>
enable_if_t<is_floating_point_v<T>, T>
bin_search(T ok, T ng, function<bool(T)> check)
{
// 大きすぎるとcheck(x)のxが不当に大きくなるのでよき大きさに切る。
assert(abs(ok) < 1e20 && abs(ng) < 1e20);
for (int i = 0; i < 100; i++)
{
T mid = midpoint(ok, ng);
(check(mid) ? ok : ng) = mid;
}
return ok;
}
#line 1 "Other/binary_search.hpp"
#include <bits/stdc++.h>
using namespace std;
template <typename T>
enable_if_t<is_integral_v<T>, T>
bin_search(T ok, T ng, function<bool(T)> check)
{
while (max(ok, ng) - min(ok, ng) > 1)
{
T mid = midpoint(ok, ng);
(check(mid) ? ok : ng) = mid;
}
return ok;
}
template <typename T>
enable_if_t<is_floating_point_v<T>, T>
bin_search(T ok, T ng, function<bool(T)> check)
{
// 大きすぎるとcheck(x)のxが不当に大きくなるのでよき大きさに切る。
assert(abs(ok) < 1e20 && abs(ng) < 1e20);
for (int i = 0; i < 100; i++)
{
T mid = midpoint(ok, ng);
(check(mid) ? ok : ng) = mid;
}
return ok;
}