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
- 완도산회
- dp
- 서블릿
- 다이나믹 프로그래밍
- 포두부 보쌈
- 2638
- 동적 프로그래밍
- 고모네 콩탕
- 문자열 압축
- 알고리즘
- Spring
- BFS
- 프로그래머스
- 투어
- 스프링
- 백준
- mvc
- 설탕 배달
- 쓰레드 풀
- Servlet
- HTTP API
- 맛집 투어
- 맛집
- 2839
- 양꼬치
- 2589
- 2020 KAKAO BLIND
- 1로 만들기
- 스프링 MVC
- 호유동
Archives
- Today
- Total
프로그래밍 공방
[프로그래머스] 자동완성 본문
문제
programmers.co.kr/learn/courses/30/lessons/17685
문제해결방법
이 문제는 Trie 자료구조에 해당 문자열들을 저장해서 풀었다.
Trie에 문자열을 저장할 때 다음 문자를 저장하면서 그 문자까지 온 문장의 개수를 세서 기록해두었고
각 문자열을 탐색하면서 해당 문자에 도착했을때 1이 기록되어 있으면 문자열을 특정지을 수 있으므로
그 수를 합산해서 계산해주었다.
코드
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 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 | package Programmers; class TrieNode { int count; TrieNode[] next; TrieNode() { this.count = 0; next = new TrieNode[26]; } } class Trie { TrieNode root; Trie() { root = new TrieNode(); } void addTrie(String str) { TrieNode cur = root; for(int i=0; i<str.length(); i++) { int index = str.charAt(i) - 'a'; if(cur.next[index] == null) cur.next[index] = new TrieNode(); cur = cur.next[index]; cur.count++; } } int getTrie(String str) { TrieNode cur = root; for(int i=0; i<str.length(); i++) { int index = str.charAt(i) - 'a'; cur = cur.next[index]; if(cur.count==1) return i+1; } return str.length(); } } class Solution_자동완성 { public static int solution(String[] words) { int answer = 0; Trie trie = new Trie(); for(int i=0; i<words.length; i++) trie.addTrie(words[i]); for(int i=0; i<words.length; i++) answer += trie.getTrie(words[i]); return answer; } public static void main(String[] args) { String[] words = {"word","war","warrior","world"}; System.out.println(solution(words)); } } | cs |
코드에 대한 피드백이나 더 좋은 아이디어는 언제나 환영입니다.
'개발 > 문제해결' 카테고리의 다른 글
[백준] 19235번 : 모노미노도미노 (0) | 2021.02.21 |
---|---|
[백준] 19236번 : 청소년 상어 (0) | 2021.02.19 |
[백준] 3694번 : 로봇 프로젝트 (0) | 2021.02.16 |
[백준] 1062번 : 가르침 (0) | 2021.02.15 |
[프로그래머스] n진수 게임 (0) | 2021.02.12 |