본문 바로가기

Algorithm/자료구조

(C++) - LeetCode (easy) 83. Remove Duplicates from Sorted List

반응형

https://leetcode.com/problems/remove-duplicates-from-sorted-list/

 

Remove Duplicates from Sorted List - LeetCode

Level up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared for your next interview.

leetcode.com

자료구조 문제였습니다.

📕 풀이방법

📔 풀이과정

 1. head의 원소에 대해 while loop를 수행하며 각 val들을 자료구조 set에 넣어줍니다.  2. 중복이 제거된 set에 대해 for loop를 수행하며 정답변수 ans에 저장합니다.

📔 정답출력

ans의 head로 지정된 cur의 next를 반환해줍니다.


📕 Code

📔 C++

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode() : val(0), next(nullptr) {}
 *     ListNode(int x) : val(x), next(nullptr) {}
 *     ListNode(int x, ListNode *next) : val(x), next(next) {}
 * };
 */

class Solution {
public:
    ListNode* deleteDuplicates(ListNode* head) {
        ListNode *cur = head;
        ListNode *ans = cur;
        set <int> s;
        
        while(cur != nullptr){
            s.insert(cur->val);
            cur = cur->next;
        }
        
        if(!s.size()) return nullptr;
        
        cur = ans;
        
        for(auto e : s) {
            ListNode *ne = new ListNode();
            ne -> val = e;
            ans -> next = ne;
            ans = ans->next;
        }
        return cur->next;
    }
};

*더 나은 내용을 위한 지적, 조언은 언제나 환영합니다.