문제 링크
3273번 두 수의 합 : https://www.acmicpc.net/problem/3273
문제 설명 및 해결 아이디어
두 수의 합을 구하는 문제이다. lo, hi변수를 두어 탐색하면서 푼 첫번째 방법과, lower_bound와 upper_bound를 이용하여 푼 두번째 방법이 있다.
두번째 방법의 경우, break 조건(a > x/2, a*2==x)을 주의하자.
코드
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 | #include <cstdio> #include <vector> #include <algorithm> using namespace std; int n, x, num; vector<int> vt; int main() { scanf("%d", &n); for (int i = 0; i < n; ++i) { scanf("%d", &num); vt.push_back(num); } sort(vt.begin(), vt.end()); scanf("%d", &x); int cnt = 0, lo = 0, hi = vt.size() - 1; while (lo < hi) { if (vt[lo] + vt[hi] == x) { cnt++; lo++; hi--; } else if (vt[lo] + vt[hi] < x) { lo++; } else if (vt[lo] + vt[hi] > x) { hi--; } } printf("%d\n", cnt); return 0; } | cs |
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 | #include <cstdio> #include <vector> #include <algorithm> using namespace std; int n, x, num, res; vector<int> vt; int main() { scanf("%d", &n); for (int i = 0; i < n; ++i) { scanf("%d", &num); vt.push_back(num); } sort(vt.begin(), vt.end()); scanf("%d", &x); for (int a : vt) { if (a > x / 2) break; if (a * 2 == x) { int b = upper_bound(vt.begin(), vt.end(), a) - lower_bound(vt.begin(), vt.end(), a); res += b*(b - 1) / 2; break; } int b = x - a; res += upper_bound(vt.begin(), vt.end(), b) - lower_bound(vt.begin(), vt.end(), b); if (a == b) res--; } printf("%d\n", res); return 0; } | cs |
'문제풀기이야기' 카테고리의 다른 글
12015번_가장 긴 증가하는 부분 수열2 / 가장 긴 증가하는 부분 수열3_BOJ (0) | 2018.07.17 |
---|---|
1940번_주몽 (0) | 2018.07.17 |
7795번_먹을 것인가 먹힐 것인가_BOJ (0) | 2018.07.17 |
10815번_숫자카드_BOJ (0) | 2018.07.17 |
2110번_공유기 설치_BOJ (0) | 2018.07.16 |