From 2f32bdc7b97b632a7d76a124ff8b09b7a63d3c8e Mon Sep 17 00:00:00 2001 From: strNophix Date: Wed, 31 Aug 2022 12:00:11 +0200 Subject: [PATCH] Add 2 more exercises --- leetcode/69_sqrtx.py | 26 ++++++++++++ .../81_search_in_rotated_sorted_array_ii.py | 41 +++++++++++++++++++ 2 files changed, 67 insertions(+) create mode 100644 leetcode/69_sqrtx.py create mode 100644 leetcode/81_search_in_rotated_sorted_array_ii.py diff --git a/leetcode/69_sqrtx.py b/leetcode/69_sqrtx.py new file mode 100644 index 0000000..d70b7b7 --- /dev/null +++ b/leetcode/69_sqrtx.py @@ -0,0 +1,26 @@ +import pytest + + +class Solution: + def mySqrt(self, x: int) -> int: + left, right = 0, x + while left <= right: + mid = left + (right - left) // 2 + val = mid * mid + if val <= x < (mid + 1) * (mid + 1): + return mid + elif x < val: + right = mid - 1 + else: + left = mid + 1 + return 0 + + +@pytest.fixture +def solution(): + return Solution() + + +@pytest.mark.parametrize("x, expected", [(4, 2), (8, 2)]) +def test_my_sqrt(solution: Solution, x: int, expected: int): + assert solution.mySqrt(x) == expected diff --git a/leetcode/81_search_in_rotated_sorted_array_ii.py b/leetcode/81_search_in_rotated_sorted_array_ii.py new file mode 100644 index 0000000..c0a5056 --- /dev/null +++ b/leetcode/81_search_in_rotated_sorted_array_ii.py @@ -0,0 +1,41 @@ +import pytest + + +class Solution: + def search(self, nums: list[int], target: int) -> bool: + low, high = 0, len(nums) - 1 + while low <= high: + breakpoint() + mid = low + (high - low) // 2 + if nums[mid] == target: + return True + + if nums[mid] >= nums[low]: + if nums[low] <= target <= nums[mid]: + high = mid - 1 + else: + low = mid + 1 + else: + if nums[mid] <= target <= nums[high]: + low = mid + 1 + else: + high = mid - 1 + + return False + + +@pytest.fixture +def solution(): + return Solution() + + +@pytest.mark.parametrize( + "nums, target, expected", + [ + # ([2, 5, 6, 0, 0, 1, 2], 0, True), + # ([2, 5, 6, 0, 0, 1, 2], 3, False), + ([1, 0, 1, 1, 1], 0, True), + ], +) +def test_search(solution: Solution, nums: list[int], target: int, expected: bool): + assert solution.search(nums, target) == expected