반응형
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- connected_component
- 백준
- c++
- Pair
- 자료구조
- 구현
- 문법
- STL
- Heap
- Articulation_Point
- singly Linked List
- data_structure
- 알고리즘
- function_template
- Critical_Path_Analysis
- 총정리
- list
- '0'
- 13305
- template
- 5397
- sort
- sstream
- qsort
- red-black tree
- Algorithm
- 예제
- class_template
- deletion
- Biconnected_Component
Archives
- Today
- Total
- Today
- Total
- 방명록
어제의 나보다 성장한 오늘의 나
[C++] [BFS / DFS] 백준 2331 번 문제 풀이 본문
반응형
문제
DFS / BFS 와 그리디 두 가지 방법으로 풀었는데 DFS / BFS를 사람들이 일반적으로 많이 사용한다.
시간적으로는 DFS / BFS 가 효율적이고 , 메모리 사용량으로 보면 그리디가 좀 더 효율적이다.
첫 번째 풀이 : DFS / BFS
A 의 최대는 9999 , P의 최대는 5
나올 수 있는 가장 큰 값은 : 9의 5승 * 4 = 236196
Code
// BaekJoon 2331
// Title : 반복 수열
// URL : https://www.acmicpc.net/problem/2331
#include <iostream>
#include <cmath>
using namespace std;
#define MAX_NUM 236196
int visit[MAX_NUM];
int P;
int answer = 0;
void DFS(int A){
int origin = A;
int next = 0;
visit[A-1]++;
while(A > 0){
next += (int)pow( A % 10 , P);
A /= 10;
}
if(visit[next-1] == 2) return ;
DFS(next);
if(visit[origin-1] == 1) answer++;
}
int main(int argc, char** argv){
int A , num;
cin >> A >> P;
DFS(A);
cout << answer;
}
두 번째 풀이 : 그리디 알고리즘
Data structure로는 deque를 사용하였다.
반복 구간을 algorithm의 find 함수로 찾아서 iterator를 통해 갯수를 구했다.
Code
// BaekJoon 2331
// Title : 반복 수열
// URL : https://www.acmicpc.net/problem/2331
#include <iostream>
#include <cmath>
#include <deque>
#include <algorithm>
using namespace std;
int next_num(int D , int P){
int total = 0;
while(D > 0){
total += pow( (D % 10) , P);
D /= 10;
}
return total;
}
int main(int argc , char** argv){
int A , P , num;
deque<int> dq;
deque<int> ::iterator iter;
cin >> A >> P;
dq.push_back(A);
while(1){
A = next_num(A , P);
iter = find(dq.begin() , dq.end() , A);
if(iter != dq.end()){
num = iter - dq.begin();
break;
}
dq.push_back(A);
}
cout << num;
}
https://www.acmicpc.net/problem/2331
반응형
'c++ > 백준 문제 풀이' 카테고리의 다른 글
[C++][BFS / DFS] 백준 2606번 문제 풀이 (0) | 2022.08.19 |
---|---|
[C++][BFS / DFS] 백준 10451번 문제 풀이 (0) | 2022.08.18 |
[C++][자료구조 Stack] 백준 10828번 문제 풀이 (0) | 2022.07.24 |
[C++] 백준 5397번 풀이 (0) | 2022.07.24 |
[C++][집합 / 자료구조] 백준 1717번 풀이 및 설명 (0) | 2022.07.01 |
Comments