https://school.programmers.co.kr/learn/courses/30/lessons/92341
※ 문제
주차장의 요금표와 차량이 들어오고(입차) 나간(출차) 기록이 주어졌을 때, 차량별로 주차 요금을 계산하려고 합니다. 아래는 하나의 예시를 나타냅니다.
- 어떤 차량이 입차된 후에 출차된 내역이 없다면, 23:59에 출차된 것으로 간주합니다.
- 0000번 차량은 18:59에 입차된 이후, 출차된 내역이 없습니다. 따라서, 23:59에 출차된 것으로 간주합니다.
- 00:00부터 23:59까지의 입/출차 내역을 바탕으로 차량별 누적 주차 시간을 계산하여 요금을 일괄로 정산합니다.
- 누적 주차 시간이 기본 시간이하라면, 기본 요금을 청구합니다.
- 누적 주차 시간이 기본 시간을 초과하면, 기본 요금에 더해서, 초과한 시간에 대해서 단위 시간 마다 단위 요금을 청구합니다.
- 초과한 시간이 단위 시간으로 나누어 떨어지지 않으면, 올림합니다.
- ⌈a⌉ : a보다 작지 않은 최소의 정수를 의미합니다. 즉, 올림을 의미합니다.
주차 요금을 나타내는 정수 배열 fees, 자동차의 입/출차 내역을 나타내는 문자열 배열 records가 매개변수로 주어집니다. 차량 번호가 작은 자동차부터 청구할 주차 요금을 차례대로 정수 배열에 담아서 return 하도록 solution 함수를 완성해주세요.
※ 나의 풀이
그냥 구현문제로 생각이 된다.
중요하다고 생각되는 점은 차량마다의 주차장 이용시간을 정리할때 map을 이용하는 것.
#include <string>
#include <vector>
#include <queue>
#include <map>
#include <string>
#include <cmath>
using namespace std;
vector<int> solution(vector<int> fees, vector<string> records) {
vector<int> answer;
// 정리하기
map<int, queue<pair<string, int>>> ch;
for (int i = 0; i < records.size(); i++)
{
int time = stoi(records[i].substr(0, 2)) * 60 + stoi(records[i].substr(3, 2));
int car_num = stoi(records[i].substr(6, 4));
string in_out = records[i].substr(11, -1);
ch[car_num].push(make_pair(in_out, time));
}
// 정리된 records로 계산하기
auto iter = ch.begin();
while (iter != ch.end())
{
int tmp = 0;
int start = 0;
int end = 0;
int total_time = 0;
while (!(iter->second.empty()))
{
string status = iter->second.front().first;
if (status == "IN" && iter->second.size() != 1)
{
start = iter->second.front().second;
iter->second.pop();
continue;
}
else if (status == "OUT")
{
end = iter->second.front().second;
total_time += end - start;
start = 0;
end = 0;
iter->second.pop();
}
else if(status == "IN")
{
start = iter->second.front().second;
total_time += (1439 - start);
iter->second.pop();
}
}
if (total_time <= fees[0])
{
answer.push_back(fees[1]);
}
else // total_time > fees[0]
{
float tmp_time = total_time - fees[0];
answer.push_back(fees[1] + ceil(tmp_time / fees[2]) * fees[3]);
}
iter++;
}
return answer;
}
'알고리즘 > Coding Test' 카테고리의 다른 글
피로도 C++ (0) | 2023.05.12 |
---|---|
k진수에서 소수 개수 구하기 C++ (0) | 2023.05.06 |
양궁 대회 C++ (0) | 2023.04.26 |
두 큐 합 같게 하기 C++ (0) | 2023.04.24 |
할인 행사 C++ (0) | 2023.04.24 |