Leetcode#1_Add Two Numbers_02w03 by SOMJANG

솜씨좋은장씨

·

2020. 2. 20. 03:21

You are given two non-empty linked lists representing two non-negative integers. The digits are stored in reverse order and each of their nodes contain a single digit. Add the two numbers and return it as a linked list.

You may assume the two numbers do not contain any leading zero, except the number 0 itself.

 

Example

Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)
Output: 7 -> 0 -> 8
Explanation: 342 + 465 = 807.

 

Solution by SOMJANG

# Definition for singly-linked list.
# class ListNode:
#     def __init__(self, x):
#         self.val = x
#         self.next = None

class Solution:
    def addTwoNumbers(self, l1, l2):
        
        
        my_l1 = []
        my_l2 = []
        
        while l1 != None:
            my_l1.append(str(l1.val))
            
            l1 = l1.next
            
        while l2 != None:
            my_l2.append(str(l2.val))
            
            l2 = l2.next
    
        my_l1 = list(reversed(my_l1))
        my_l2 = list(reversed(my_l2))
        my_l1_int = int(''.join(my_l1))
        my_l2_int = int(''.join(my_l2))
        print(my_l2_int)
        
        answer_int = my_l1_int + my_l2_int
        

        answer_int_str_list_reverse = list(reversed(list(str(answer_int))))

        for i in range(len(answer_int_str_list_reverse)):
            if i == 0:
                answerList = ListNode(answer_int_str_list_reverse[i])
            else:
                new_node = ListNode(answer_int_str_list_reverse[i])
                currNode = answerList
                while currNode.next != None:
                    currNode = currNode.next
                currNode.next = new_node

        return answerList

Solution 풀이

이문제는 링크드 리스트를 이해해야 풀기 쉬운 문제입니다.

먼저 l1, l2 각각의 링크드 리스트에서 숫자를 추출하여 str형식으로 형 변환을 해준 뒤 append시켜 주어

각각의 my_l1, my_l2 리스트를 만들어 줍니다.

my_l1, my_l2 리스트는 reversed 해주어 숫자를 거꾸로 정렬해줍니다. (ex. [9, 1] -> [1, 9])

거꾸로 정렬한 리스트를 다시 ''.join(my_l1), ''.join(my_l2)를 통해 문자열로 바꾸어 준뒤 int 로 묶어 int로 형변환을 시켜줍니다.

 

int로 형변환을 시켜준 두 수를 더하여 answer_int를 만들어 줍니다.

 

answer_int를 str -> list-> reversed 한 후 앞에서부터 차례대로 

새로운 정답을 위한 answerList 링크드 리스트에 넣어 주면 끝!

 

하지만 아래의 결과처럼 속도가 느린 것을 볼때 조금 더 빠른 알고리즘을 고민해봐야겠습니다.