배운것
연결리스트는 STL에서 List로 구현되어있음
#include <bits/stdc++.h>
using namespace std;
int main(void) {
list<int> L = {1,2}; // 1 2
list<int>::iterator t = L.begin(); // t는 1을 가리키는 중
L.push_front(10); // 10 1 2
cout << *t << '\n'; // t가 가리키는 값 = 1을 출력
L.push_back(5); // 10 1 2 5
L.insert(t, 6); // t가 가리키는 곳 앞에 6을 삽입, 10 6 1 2 5
t++; // t를 1칸 앞으로 전진, 현재 t가 가리키는 값은 2
t = L.erase(t); // t가 가리키는 값을 제거, 그 다음 원소인 5의 위치를 반환
// 10 6 1 5, t가 가리키는 값은 5
cout << *t << '\n'; // 5
for(auto i : L) cout << i << ' ';
cout << '\n';
for(list<int>::iterator it = L.begin(); it != L.end(); it++)
cout << *it << ' ';
}
정답 풀이
// Authored by : BaaaaaaaaaaarkingDog
// Co-authored by : -
// http://boj.kr/84654f16875542e6a84d3da7e4cf0dac
#include <bits/stdc++.h>
using namespace std;
int main(void) {
ios::sync_with_stdio(0);
cin.tie(0);
string init;
cin >> init;
list<char> L;
for (auto c : init) L.push_back(c);
auto cursor = L.end();
int q;
cin >> q;
while (q--) {
char op;
cin >> op;
if (op == 'P') {
char add;
cin >> add;
L.insert(cursor, add);
}
else if (op == 'L') {
if (cursor != L.begin()) cursor--;
}
else if (op == 'D') {
if (cursor != L.end()) cursor++;
}
else { // 'B'
if (cursor != L.begin()) {
cursor--;
cursor = L.erase(cursor);
}
}
}
for (auto c : L) cout << c;
}
'Algorithm > C++' 카테고리의 다른 글
[백준 2504] 괄호의 값 (0) | 2022.08.17 |
---|---|
[백준 10799] 쇠막대기 (0) | 2022.08.17 |
[백준 11328번] Strfry (0) | 2022.08.10 |
[백준 3273] 두 수의 합 (0) | 2022.08.09 |
[백준 1475] 방 번호 (0) | 2022.08.09 |
댓글