題目大意:平面上有$n$個點,要求你構造$m$條邊(知足$m\leqslant40$),使得能夠從原點到達給定的$n$個點(邊必須平行於座標軸)。並要求輸出每一條邊的方向,每條邊必須都使用,無解輸出$-1$。$n\leqslant1000$,點的座標的絕對值$\leqslant10^9$,邊長度$\leqslant10^{12}$ios
題解:由於全部的邊必須使用,因此每個點橫縱座標相加的奇偶性相同,不一樣就無解。發現若構造長度爲$1,2,\cdots,2^n$的邊,能夠到達知足$|x|+|y|\leqslant2^{k+1}-1$且$|x|+|y|\equiv 1\pmod2$的全部點,若$|x|+|y|\equiv0\pmod2$就再加一條長度爲$1$的邊。而且發現$2^n>\sum\limits_{i=0}^{n-1}2^i$,故若從大到小考慮邊,必定走橫縱座標中相差較多的一個方向。這樣貪心枚舉便可。ui
卡點:沒開$\mathrm{long\ long}$,沒有修改座標位置spa
C++ Code:blog
#include <iostream> #include <algorithm> #include <cstdio> const int maxn = 1010, X[] = { 1, 0, -1, 0 }, Y[] = { 0, 1, 0, -1 }; int n, x[maxn], y[maxn], w[maxn], idx; void solve(long long x, long long y) { for (int i = 1; i <= idx; ++i) { char c; if (abs(x) > abs(y)) if (x < 0) x += w[i], c = 'L'; else x -= w[i], c = 'R'; else if (y < 0) y += w[i], c = 'D'; else y -= w[i], c = 'U'; std::cout << c; } std::cout.put('\n'); } int main() { std::ios::sync_with_stdio(false), std::cin.tie(0), std::cout.tie(0); std::cin >> n; for (int i = 1; i <= n; ++i) { std::cin >> x[i] >> y[i]; if ((x[i] + y[i] & 1) != (x[1] + y[1] & 1)) { std::cout << "-1\n"; return 0; } } for (int i = 30; ~i; --i) w[++idx] = 1 << i; if (!(x[1] + y[1] & 1)) w[++idx] = 1; std::cout << idx << '\n'; for (int i = 1; i < idx; ++i) std::cout << w[i] << ' '; std::cout << w[idx] << '\n'; for (int i = 1; i <= n; ++i) solve(x[i], y[i]); return 0; }