작성
·
281
1
안녕하세요 선생님, 강의 잘 듣고 있습니다.
89번 토마토는 선생님과 다른 방법으로 풀었는데, 마지막 입력인 in5에서 아슬아슬하게 0.8초 ~ 0.9초가 나옵니다. 반면 선생님의 소스 코드로 시간을 측정해 보니 제 코드보다 절반 정도 단축된 시간인 0.47초가 나오더라고요.
제공해 주신 채점기는 모두 통과했지만, 입력이 여기서 더 커지면 제 구현으로 채점 사이트를 통과하지 못할 거라는 생각이 듭니다. 한번 소스 코드를 봐 주시면 감사하겠습니다.
#include <iostream>
#include <vector>
#include <queue>
using namespace std;
int grid[1000][1000];
int width, height;
int gridSize;
int ripeTomatoSize;
queue<pair<int, int>> ripeTomatos;
queue<pair<int, int>> affectedTomatos;
pair<int, int> directions[4] = {{-1, 0}, {1, 0}, {0, -1}, {0, 1}};
int BFS(){
int day = 1;
while(!ripeTomatos.empty()){
// 오늘 익어 있는 토마토들을 꺼내 다른 토마토들을 익힘
while(!ripeTomatos.empty()){
pair<int, int> cell = ripeTomatos.front();
ripeTomatos.pop();
for(int i = 0; i < 4; i++){
int nextRow = cell.first + directions[i].first;
int nextCol = cell.second + directions[i].second;
// 범위를 벗어난 경우
if(nextRow == -1 || nextRow == height || nextCol == -1 || nextCol == width)
continue;
// 빈 곳이거나 이미 익은 공간인 경우
else if(grid[nextRow][nextCol] == -1 || grid[nextRow][nextCol] == 1)
continue;
else{
// 현재 익어 있는 토마토 덕분에 익은 토마토를 affectedTomatos 큐에 집어넣음
affectedTomatos.push(make_pair(nextRow, nextCol));
grid[nextRow][nextCol] = 1;
ripeTomatoSize++;
}
}
// 모든 토마토가 다 익었으면 탈출
if(ripeTomatoSize == gridSize)
return day;
}
// 오늘 익은 토마토들(affectedTomatos)을 이미 익은 토마토(ripeTomatos)들로 옮김
swap(affectedTomatos, ripeTomatos);
day++;
}
return -1;
}
int main(int argc, char** argv) {
cin >> width >> height;
bool allRipen = true;
for(int i = 0; i < height; i++){
for(int j = 0; j < width; j++){
cin >> grid[i][j];
if(grid[i][j] == 0)
allRipen = false;
else if(grid[i][j] == 1){
ripeTomatos.push(make_pair(i, j));
ripeTomatoSize++;
}
else if(grid[i][j] == -1){
gridSize--;
}
}
}
gridSize += width * height;
if(allRipen == true){
cout << 0;
}
else cout << BFS();
return 0;
}
답변 2
1
안녕하세요^^
아무래도 입력량이 많기 때문에 입출력에서 오는 시간차이인것 같습니다.
cin과 cout으로 할 때는 아래 코드처럼 ios_base::sync_with_stdio(false); 를 추가하면 cin과 cout이 scanf나 printf보다 빨라집니다. 자세한 사항은 섹션5의 첫번째 영상에서 설명했습니다.
#include<bits/stdc++.h>
using namespace std;
int main(){
ios_base::sync_with_stdio(false);
int n, t, tmp;
cin>>n>>t;
0
(추가) 선생님 코드의 printf, scanf를 각각 cout와 cin으로 대체하니 저와 비슷한 수행시간이 나옵니다. 혹시 입출력 방식이 수행시간에 영향을 주었다고 생각해도 될까요?