Study Plan For Algorithms - Part7

WindMay發表於2024-08-21

1. 羅馬數字轉整數
題目連結:https://leetcode.cn/problems/roman-to-integer/
羅馬數字包含以下七種字元: I, V, X, L,C,D 和 M。

字元 數值
I 1
V 5
X 10
L 50
C 100
D 500
M 1000

通常情況下,羅馬數字中小的數字在大的數字的右邊。但也存在六種特例:
I 可以放在 V (5) 和 X (10) 的左邊,來表示 4 和 9。
X 可以放在 L (50) 和 C (100) 的左邊,來表示 40 和 90。
C 可以放在 D (500) 和 M (1000) 的左邊,來表示 400 和 900。
給定一個羅馬數字,將其轉換成整數。

class Solution:
    def romanToInt(self, s: str) -> int:
        roman_dict = {
            'I': 1,
            'V': 5,
            'X': 10,
            'L': 50,
            'C': 100,
            'D': 500,
            'M': 1000
        }
        total = 0
        prev_value = 0
        for char in s:
            current_value = roman_dict[char]
            if prev_value < current_value:
                total += current_value - 2 * prev_value
            else:
                total += current_value
            prev_value = current_value
        return total

2. 最長公共字首
題目連結:https://leetcode.cn/problems/longest-common-prefix/
查詢字串陣列中的最長公共字首。

class Solution:
    def longestCommonPrefix(self, strs: List[str]) -> str:
        if not strs:
            return ""
        strs.sort()
        first = strs[0]
        last = strs[-1]
        min_len = min(len(first), len(last))
        for i in range(min_len):
            if first[i]!= last[i]:
                return first[:i]
        return first[:min_len]

相關文章