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
- 프로그래머스
- 티스토리챌린지
- 알고리즘
- leetcode
- 딕셔너리
- DP
- 분산처리
- 코딩테스트
- Apache Spark
- heapq
- Apache Hadoop
- 리트코드
- 아파치 카프카
- Python
- apache kafka
- programmers
- Data Engineering
- 이진탐색
- 아파치 스파크
- 분산
- 우선순위큐
- 파이썬
- Spark
- Hadoop
- 빅데이터
- 도커
- 하둡
- 아파치 하둡
- 오블완
- docker
Archives
- Today
- Total
래원
[LeetCode] 1408. String Matching in an Array (Python) 본문
난이도: Easy
문제 설명
Given an array of string words, return all strings in words that is a substring of another word.
You can return the answer in any order.
A substring is a contiguous sequence of characters within a string
문제 예제
Example 1:
Input: words = ["mass","as","hero","superhero"]
Output: ["as","hero"]
Explanation: "as" is substring of "mass" and "hero" is substring of "superhero".
["hero","as"] is also a valid answer.
Example 2:
Input: words = ["leetcode","et","code"]
Output: ["et","code"]
Explanation: "et", "code" are substring of "leetcode".
Example 3:
Input: words = ["blue","green","bu"]
Output: []
Explanation: No string of words is substring of another string.
제한 사항
- 1 <= words.length <= 100
- 1 <= words[i].length <= 30
- words[i] contains only lowercase English letters.
- All the strings of words are unique.
Solution(솔루션)
class Solution:
def stringMatching(self, words: List[str]) -> List[str]:
n = len(words)
answer = []
for i in range(n):
for j in range(n):
if i != j and words[i] in words[j]:
answer.append(words[i])
break
return answer
제한사항을 보니 오히려 Brute Force 방식으로 푸는게 제일 효율적일 것 같아서 이 방식으로 코드를 작성했다.
2중 for문을 돌려 words[i]가 words[j]에 있다면 answer에 words[i]를 추가하고 마지막에 answer를 return 하였다.
문제: 1408. String Matching in an Array
깃허브: github
'알고리즘 > LeetCode' 카테고리의 다른 글
[LeetCode] 3042. Count Prefix and Suffix Pairs I (Python) (1) | 2025.01.08 |
---|---|
[LeetCode] 1769. Minimum Number of Operations to Move All Balls to Each Box (Python) (0) | 2025.01.06 |
[LeetCode] 2381. Shifting Letters II (Python) (0) | 2025.01.05 |
[LeetCode] 1930. Unique Length-3 Palindromic Subsequences (Python) (1) | 2025.01.04 |
[LeetCode] 2270. Number of Ways to Split Array (Python) (1) | 2025.01.03 |