일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
- 컴퓨터공학 #Java #자바 #클래스 #객체 #인스턴스
- 컴퓨터공학 #자료구조 #스택 #c++ #알고리즘 #백준문제풀이
- 컴퓨터공학 #c #c언어 #문자열입력
- HTML #CSS
- BOJ #컴퓨터공학 #C++ #알고리즘 #자료구조
- 잔
- Today
- Total
영벨롭 개발 일지
[백준 BOJ][C++]9375번 패션왕 신해빈 풀이: hash 본문
https://www.acmicpc.net/problem/9375
이 문제는 c++ STL map 컨테이너로 쉽게 해결할 수 있지만, 저는 해시 맵을 직접 구현해서 해결해보았습니다!
size는 hashing의 원소의 개수, 즉 카테고리의 수 입니다.
hashing은 의상의 종류 category를 저장하는 string 배열입니다.
data는 hashing에서 category에 대응하는 index 위치에 의상의 이름 name을 저장하는 2차원 배열입니다.
insert 과정은 다음과 같습니다.
find_index(category)를 호출하여 hashing내에 category가 있는지 확인하고, 있다면 해당 위치의 index를 반환하고 없다면 -1을 반환합니다.
이제 이 반환값을 가지고 -1이라면 기존에 없던 카테고리라는 뜻이므로 hashing에 category를 추가하고 size를 증가시킵니다. 그리고 data[size] 벡터에 의상의 이름 name을 push 합니다.
반환값이 -1이 아니라면 이미 이 카테고리가 생성되었다는 의미이므로 반환값 idx위치 data[idx]에 의상의 이름 name을 push 합니다.
이제 해시 맵 완성입니다!
solution()은 입을 수 있는 의상의 경우의 수를 계산하는 함수입니다.
headgear : hat, turban -> 2개
eyewear : sunglasses -> 1개
머리 x 눈 = (headgear의 수 + 1) * (eyewear의 수 + 1) - 1(둘 다 안 입는 경우) 이 됩니다.
#include<iostream>
#include<algorithm>
#include<array>
#include<vector>
#include<cmath>
#include<cstdlib>
#include<string>
using namespace std;
class hash_map {
vector<string> data[31];
string hashing[31];
int size;
public:
hash_map() {
size = 0;
}
int find_index(string category) {
if (size == 0) {
hashing[0] = category;
size++;
return 0;
}
for (int i = 0; i < size; i++) {
if (hashing[i].compare(category) == 0) {
return i;
}
}
return -1;
}
void insert(string name, string category) {
int idx = find_index(category);
if (idx == -1) {
hashing[size] = category;
data[size].push_back(name);
size++;
}
else {
data[idx].push_back(name);
}
}
void print() {
for (int i = 0; i < size; i++) {
cout << "category " << hashing[i] << ": ";
for (int j = 0; j < data[i].size(); j++) {
cout << data[i][j] << " ";
}
cout << endl;
}
}
int solution() {
int ans = 1;
for (int i = 0; i < size; i++) {
ans *= (data[i].size() + 1);
}
return ans - 1;
}
};
int main(void) {
int t, n;
scanf("%d", &t);
while (t > 0) {
scanf("%d", &n);
hash_map map;
string s1, s2;
for (int i = 0; i < n; i++) {
cin >> s1 >> s2;
map.insert(s1, s2);
}
map.print();
cout << map.solution() << endl;
t--;
}
return 0;
}
'알고리즘 문제 풀이 > BOJ' 카테고리의 다른 글
[백준 BOJ][C++]6603번 로또 풀이: DFS (0) | 2022.04.05 |
---|---|
[백준 BOJ][C++]10971번 원판원 순회2 풀이: DFS or next_permutation() (0) | 2022.04.01 |
[백준 BOJ][C++]10819번 차이를 최대로 풀이: std::next_permutation() (0) | 2022.03.31 |
[백준 BOJ][C++]10972번 다음 순열 풀이: std::next_permutation() (0) | 2022.03.31 |
[백준 BOJ][C++]15663번 N과 M(9) 풀이: 브루트 포스 & DFS (0) | 2022.03.29 |