-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathConvex hull trick.cpp
77 lines (65 loc) · 1.69 KB
/
Convex hull trick.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
/*8<{=====~ BEGIN CONVEX HULL TRICK ~=========>8*/
/*8<
@Title:
Convex Hull Trick / Line Container
@Description:
Container where you can add lines of the
form $mx + b$, and query the maximum value
at point $x$.
@Usage:
$insert\_line(m, b)$ inserts the line
$m \cdot x + b$ in the container.
$eval(x)$ find the highest value among
all lines in the point $x$.
@Time:
Eval and insert in $O(\log{N})$
>8*/
const ll LLINF = 1e18;
const ll is_query = -LLINF;
struct Line {
ll m, b;
mutable function<const Line *()> succ;
bool operator<(const Line &rhs) const {
if (rhs.b != is_query) return m < rhs.m;
const Line *s = succ();
if (!s) return 0;
ll x = rhs.m;
return b - s->b < (s->m - m) * x;
}
};
struct Cht : public multiset<Line> { // maintain
// max m*x+b
bool bad(iterator y) {
auto z = next(y);
if (y == begin()) {
if (z == end()) return 0;
return y->m == z->m && y->b <= z->b;
}
auto x = prev(y);
if (z == end())
return y->m == x->m && y->b <= x->b;
return (ld)(x->b - y->b) * (z->m - y->m) >=
(ld)(y->b - z->b) * (y->m - x->m);
}
void insert_line(
ll m,
ll b) { // min -> insert (-m,-b) -> -eval()
auto y = insert({m, b});
y->succ = [=] {
return next(y) == end() ? 0 : &*next(y);
};
if (bad(y)) {
erase(y);
return;
}
while (next(y) != end() && bad(next(y)))
erase(next(y));
while (y != begin() && bad(prev(y)))
erase(prev(y));
}
ll eval(ll x) {
auto l = *lower_bound((Line){x, is_query});
return l.m * x + l.b;
}
};
/*8<=========================================}>8*/