Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | 5 | 6 | 7 |
8 | 9 | 10 | 11 | 12 | 13 | 14 |
15 | 16 | 17 | 18 | 19 | 20 | 21 |
22 | 23 | 24 | 25 | 26 | 27 | 28 |
29 | 30 | 31 |
Tags
- python 알고리즘
- leetcode풀기
- 파이썬알고리즘
- 파이썬릿코드
- 잇츠디모
- python zip_longest
- 코틀린기초
- binary search
- 파이썬 릿코드
- 상가수익률계산기
- python xor
- 릿코드 파이썬
- python priority queue
- leetcode 풀기
- 릿코드풀이
- python Leetcode
- LeetCode
- 파이썬릿코드풀기
- 릿코드풀기
- 알고리즘풀기
- python sorted
- 릿코드
- 알고리즘풀이
- 릿코드 풀기
- leetcode풀이
- 파이썬 알고리즘 풀기
- 파이썬 프로그래머스
- 파이썬 알고리즘
- python 릿코드
- 파이썬알고리즘풀기
Archives
- Today
- Total
소프트웨어에 대한 모든 것
2367. Number of Arithmetic Triplets 본문
반응형
제목
문제)
2367. Number of Arithmetic Triplets
You are given a 0-indexed, strictly increasing integer array nums and a positive integer diff. A triplet (i, j, k) is an arithmetic triplet if the following conditions are met:
- i < j < k,
- nums[j] - nums[i] == diff, and
- nums[k] - nums[j] == diff.
Return the number of unique arithmetic triplets.
Example 1:
Input: nums = [0,1,4,6,7,10], diff = 3
Output: 2
Explanation:
(1, 2, 4) is an arithmetic triplet because both 7 - 4 == 3 and 4 - 1 == 3.
(2, 4, 5) is an arithmetic triplet because both 10 - 7 == 3 and 7 - 4 == 3.
Example 2:
Input: nums = [4,5,6,7,8,9], diff = 2
Output: 2
Explanation:
(0, 2, 4) is an arithmetic triplet because both 8 - 6 == 2 and 6 - 4 == 2.
(1, 3, 5) is an arithmetic triplet because both 9 - 7 == 2 and 7 - 5 == 2.
Constraints:
- 3 <= nums.length <= 200
- 0 <= nums[i] <= 200
- 1 <= diff <= 50
- nums is strictly increasing.
솔루션1)
- brute-force 방식이 가장 먼저 떠오름.
-
class Solution:
def arithmeticTriplets(self, nums: List[int], diff: int) -> int:
"""
brute-force
"""
count = 0
for i, n in enumerate(nums):
for j in range(i+1, len(nums)):
if (nums[j] - nums[i]) == diff:
# found
for k in range(j+1, len(nums)):
if (nums[k] - nums[j]) == diff:
# found
count += 1
break
if (nums[j] - nums[i]) > diff:
# not found
break
return count
반응형
'알고리즘 > LeetCode' 카테고리의 다른 글
2418. Sort the People (0) | 2022.12.24 |
---|---|
1318. Minimum Flips to Make a OR b Equal to c (0) | 2022.12.24 |
2352. Equal Row and Column Pairs (0) | 2022.12.23 |
2373. Largest Local Values in a Matrix (0) | 2022.12.23 |
2325. Decode the Message (0) | 2022.12.23 |
Comments