문제 URL

https://www.acmicpc.net/problem/1715

 

 

문제 설명 요약

  • 최소힙을 활용하여 카드 묶음의 값 정렬
  • 작은 값부터 꺼내고 더해가며 최소 비교 횟수 구하기

 

문제 풀이

  • 최소힙 직접 구현 필요 (스위프트는 힙 자료구조 없음)
    • Heap :: push -> 추가되는 값을 힙 내 원소들과 비교하여 저장 
    • Heap :: pop -> 최소힙의 값(최상단 루트 값) 삭제 및 반환

 

Swift를 활용한 풀이

 

var heap = [0] // 1-based-index
let N = Int(readLine()!)!
for _ in 0..<N { push(Int(readLine()!)!) }

// 카드 묶음의 값을 두 개씩 꺼내어 합쳐나가는 과정 
// 합치는 것의 대상 두 묶음을 답에 누적 & 합쳐진 값은 새로운 카드 묶음으로 취급(push)
var answer = 0
while(heap.count > 2) {
    let a = pop()
    let b = pop()
    answer += a+b
    push(a+b)
}
print(answer)

// 힙에 원소 추가
// 1. 배열 맨 끝에 추가
// 2. 끝 인덱스 값을 시작으로 부모값과의 대소 비교 후, 부모값보다 작다면 스왑 수행
// 3. (2)번 작업을 idx가 1까지 줄어들기 전까지 진행함. 단, 그 이전에 부모값보다 큰 경우엔 탈출
func push(_ n:Int) {
    heap.append(n)
    if(heap.count == 2) { return }

    var idx = heap.count-1
    while(idx > 1) {
        let parent = idx/2
        if(heap[parent] <= heap[idx]) { break }
        heap.swapAt(parent, idx)
        idx = parent
    }
}

// 최소힙의 값 삭제(루트 삭제) 및 반환
// 1. 힙의 맨 끝의 값을 루트로 이동
// 2. 갱신된 루트값에 대하여 자식값 두 개와 비교 후, 더 작은 자식 값이 있는 경우 스왑 수행
// (2)번 작업을 자식 인덱스값이 배열 범위 내에 있는 경우에 한하여 진행. 단, 두 자식보다 부모의 값이 작은 경우엔 탈출
func pop() -> Int {
    if(heap.count == 1) { return 0 }

    let deleted = heap[1]
    heap[1] = heap[heap.count-1]
    heap.removeLast()

    var idx = 1
    while(idx*2 < heap.count) {
        let left = idx*2, right = idx*2+1
        var minIdx = left
        if(right < heap.count && heap[right] < heap[left]) { minIdx = right }

        if(heap[idx] < heap[minIdx]) { break }
        heap.swapAt(idx,minIdx)
        idx = minIdx
    }
    return deleted
}

문제 URL

 

https://www.acmicpc.net/problem/11286

 

 

문제 설명 요약

  • 최소힙을 활용하여 주어지는 연산 처리
  • 단, 최소힙의 우선순위는 "절댓값이 작은 것, 절댓값이 같다면 값이 작은 것"

 

문제 풀이

  • 최소힙 직접 구현 필요 (스위프트는 힙 자료구조 없음)
    • Heap :: push -> 추가되는 값을 힙 내 원소들과 비교하여 저장 
    • Heap :: pop -> 최소힙의 값(최상단 루트 값) 삭제 및 반환

 

Swift를 활용한 풀이

var heap = [0] // 1-based-index
let N = Int(readLine()!)!
for _ in 0..<N {
    let x = Int(readLine()!)!
    if(x == 0) { print(pop()) }
    else { push(x) }
}

// 힙에 원소 추가
// 1. 배열 맨 끝에 추가
// 2. 끝 인덱스 값을 시작으로 부모값과의 대소 비교 후, 부모값보다 작다면 스왑 수행
// 3. (2)번 작업을 idx가 1까지 줄어들기 전까지 진행함. 단, 그 이전에 부모값보다 큰 경우엔 탈출
func push(_ n: Int) {
    heap.append(n)
    if(heap.count == 2) { return }

    var idx = heap.count-1
    while(idx > 1) {
        let parent = idx/2
        if(abs(heap[idx]) > abs(heap[parent])) { break }
        else if(abs(heap[idx]) == abs(heap[parent]) && heap[idx] > heap[parent]) { break }
        heap.swapAt(idx,parent)
        idx = parent
    }
}

// 최소힙의 값 삭제(루트 삭제) 및 반환
// 1. 힙의 맨 끝의 값을 루트로 이동
// 2. 갱신된 루트값에 대하여 자식값 두 개와 비교 후, 더 작은 자식 값이 있는 경우 스왑 수행
// (2)번 작업을 자식 인덱스값이 배열 범위 내에 있는 경우에 한하여 진행. 단, 두 자식보다 부모의 값이 작은 경우엔 탈출
func pop() -> Int {
    if(heap.count == 1) { return 0 }

    let deletedValue = heap[1]
    heap[1] = heap[heap.count-1]
    heap.removeLast()

    var idx = 1
    while(2*idx < heap.count) {
        let left = 2*idx, right = 2*idx+1
        var minIdx = left
        if(right < heap.count && abs(heap[right]) < abs(heap[left])) { minIdx = right }
        else if(right < heap.count && abs(heap[right]) == abs(heap[left]) && heap[right] < heap[left]) { minIdx = right }

        if(abs(heap[idx]) < abs(heap[minIdx])) { break }
        else if(abs(heap[idx]) == abs(heap[minIdx]) && heap[idx] < heap[minIdx]) { break }
        
        heap.swapAt(idx,minIdx)
        idx = minIdx
    }
    return deletedValue
}

 

문제 URL

https://www.acmicpc.net/problem/1927

 

문제 설명 요약

  • 최소힙을 활용하여 주어지는 연산 처리

 

문제 풀이

  • 최소힙 직접 구현 필요 (스위프트는 힙 자료구조 없음)
    • Heap :: push -> 추가되는 값을 힙 내 원소들과 비교하여 저장 (부모는 자식 두 개보다 값이 작아야 함)
    • Heap :: root -> 최소힙의 최상단 루트 값 조회
    • Heap :: pop -> 최소힙의 값 삭제 (최상단 루트 값의 삭제)

 

Swift를 활용한 풀이

 

var heap = [-1] // 1-based index

let N = Int(readLine()!)!
for _ in 0..<N {
    let x = Int(readLine()!)!
    if x == 0 {
        print(root())
        pop()
    } else {
        push(x)
    }
}

// 힙에 원소 추가
// 1. 배열 맨 끝에 추가
// 2. 끝 인덱스 값을 시작으로 부모값과의 대소 비교 후, 부모값보다 작다면 스왑 수행
// 3. (2)번 작업을 idx가 1까지 줄어들기 전까지 진행함. 단, 그 이전에 부모값보다 큰 경우엔 탈출
func push(_ n: Int) {
    heap.append(n)

    var idx = heap.count - 1
    while(idx > 1) { // 반복문 내에서 부모값을 조회하고자, /2를 수행하기 때문에 1보다 커야 함
        let parent = idx / 2
        if heap[parent] <= heap[idx] { break }
        heap.swapAt(parent, idx)
        idx = parent
    }
}

// 힙의 최상단 값 조회
func root() -> Int {
    return heap.count > 1 ? heap[1] : 0
}

// 최소힙의 값 삭제(루트 삭제)
// 1. 힙의 맨 끝의 값을 루트로 이동
// 2. 갱신된 루트값에 대하여 자식값 두 개와 비교 후, 더 작은 자식 값이 있는 경우 스왑 수행
// (2)번 작업을 자식 인덱스값이 배열 범위 내에 있는 경우에 한하여 진행. 단, 두 자식보다 부모의 값이 작은 경우엔 탈출
func pop() {
    if heap.count <= 1 { return } // 빈 힙 예외 처리

    heap[1] = heap[heap.count - 1] // 마지막 요소를 루트에 복사
    heap.removeLast() // 마지막 요소 제거(제거하지 않으면 불필요한 끝값이 지속적으로 쌓여 더미가 커짐)

    var idx = 1
    while(2*idx < heap.count) {
        let left = 2 * idx
        let right = left + 1
        var minIdx = left

        if(right < heap.count && heap[right] < heap[left]) { minIdx = right }

        if heap[idx] <= heap[minIdx] { break }
        heap.swapAt(idx, minIdx)
        idx = minIdx
    }
}

 

문제 URL : https://solvesql.com/problems/characteristics-of-orders/

 

https://solvesql.com/problems/characteristics-of-orders/

 

solvesql.com

 

*문제 저작권으로 인하여 직접 작성한 쿼리문만 첨부

select region as Region,
count(distinct(case when category = 'Furniture' then order_id end)) as 'Furniture',
count(distinct(case when category = 'Office Supplies' then order_id end)) as 'Office Supplies',
count(distinct(case when category = 'Technology' then order_id end)) as 'Technology'
from records
group by Region
order by Region

 

구하고자 하는 열 별로 각기 다른 조건에 대해 판단하고 카운팅할 때, CASE WHEN절집계함수와 함께 사용하면 풀이 가능

문제 URL : https://solvesql.com/problems/installment-month/

 

https://solvesql.com/problems/installment-month/

 

solvesql.com

 

*문제 저작권으로 인하여 직접 작성한 쿼리문만 첨부

select payment_installments,
count(distinct order_id) as order_count,
min(payment_value) as min_value,
max(payment_value) as max_value,
avg(payment_value) as avg_value
from olist_order_payments_dataset
where payment_type = "credit_card"
group by payment_installments

 

min, max, avg -> 각각 열의 최솟값, 최댓값, 평균값을 구하는 집계함수

group by를 통해 특정 기준으로 데이터를 그룹화하여 그 안에서 각각 집계 수행

 

문제 URL

https://www.acmicpc.net/problem/1515

 

 

문제 설명 요약

  • 1부터 N까지의 숫자를 오름차순으로 적어둠
  • 적어둔 숫자 리스트에서 몇개 지워버림
  • 주어진 숫자는 지워지고 남은 숫자들을 하나로 이은 숫자
/// 예시 (입력 : 234092 / 출력 : 20)
예상할 수 있는 원본 숫자 리스트 : 2 / 3 / 4 / 10 / 19 / 20
N의 최솟값 : 20

 

 

문제 풀이

  • input : 입력 데이터를 쪼갠 배열 (각 원소를 '조각 숫자' 라고 부름)
  • cur : 원본 숫자 배열 내 포함되는지 판별하는 대상 숫자
  • 1씩 증가하는 cur 변수를 자릿수마다 쪼갠 배열을 탐색하며
    -> 각 자릿수 중 조각 숫자와 같은지 판별하고
    -> 같다면 인덱스 1 증가 후, 다음 반복으로 넘어가기 전 인덱스의 유효성 판단
  • 가능한 가장 작은 숫자로 조각 숫자를 포함하는 값을 찾아나가는 방식

 

Swift를 활용한 풀이

let input = readLine()!.map{Int(String($0))!}
var cur = 0
var idx = 0

outer: while(true) {
    cur += 1
    let list = String(cur).map{Int(String($0))!}
    for s in list {
        if(input[idx] == s) { 
            idx += 1
            if(idx >= input.count) {
                print(cur)
                break outer
            }
        }
    }
}

 

Java를 활용한 풀이

import java.util.*;
import java.lang.*;
import java.io.*;

class Main {
    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        char[] input = br.readLine().toCharArray();
        int len = input.length;
        int cur = 0;
        int idx = 0;
        
        outer: while(true) {
            cur++;
            char[] cur_list = Integer.toString(cur).toCharArray();
            for(char c : cur_list) {
                if(c == input[idx]) {
                    idx++;
                    if(idx >= len) {
                        System.out.println(cur);
                        break outer;
                    }
                }
            }
        }
    }
}

문제 URL : https://solvesql.com/problems/multiple-medalist/

 

https://solvesql.com/problems/multiple-medalist/

 

solvesql.com

 

*문제 저작권으로 인하여 직접 작성한 쿼리문만 첨부

select athletes.name
from athletes, records, games
where athletes.id = records.athlete_id
and records.game_id = games.id
and medal is not null
and year >= 2000
group by athlete_id
having count(distinct team_id) > 1
order by name

 

3개의 테이블을 조인하기 위하여 WHERE절을 이용한 Multiple Joins를 적용

count(~)를 where절 내에 작성했다가 "misuse of aggregate: count()" 오류 발생 -> having절 내에 작성하여 해결 

문제 URL : https://solvesql.com/problems/olist-daily-revenue/

 

https://solvesql.com/problems/olist-daily-revenue/

 

solvesql.com

 

* 문제 저작권으로 인하여 직접 작성한 쿼리문만 첨부

select date(order_purchase_timestamp) as dt, round(sum(payment_value),2) as revenue_daily
from olist_orders_dataset left join olist_order_payments_dataset
on olist_orders_dataset.order_id = olist_order_payments_dataset.order_id
group by dt
having dt >= '2018-01-01'
order by dt

 

SQLite에서 DATE(datetime) - 'yyyy-mm-dd' 형태로 반환해줌

ROUND(데이터,반올림할 자릿수) - 데이터의 주어진 자릿수까지 반올림하여 반환

SUM(데이터) - 해당하는 행 값을 모두 합하여 반환

tbl1 LEFT JOIN tbl2 ON (조건) - tbl1을 기준으로 조건에 맞는 행을 연결하는 방식으로 tbl2 테이블 결합

문제 URL : https://solvesql.com/problems/settled-sellers-1/

 

https://solvesql.com/problems/settled-sellers-1/

 

solvesql.com

 

* 문제 저작권으로 인하여 직접 작성한 쿼리문만 첨부

select seller_id, count(DISTINCT order_id) as orders
from olist_order_items_dataset
group by seller_id
having orders >= 100

 

order_id가 같은 경우는 로우 내 모든 값이 같으므로 중복 처리하여 하나의 행으로 간주해야 하기 때문에 DISTINCT를 적용하여 카운팅

 

+여담) COUNT(DISTINCT col)가 COUNT(col)보다 실행 속도가 느림. 중복 제거용 임시 테이블을 생성하여 해당하는 값을 추가하고, 추후 임시 테이블 내 로우를 카운팅하여 값을 반환하는 동작원리때문

문제 URL : https://solvesql.com/problems/olympic-cities/

 

https://solvesql.com/problems/olympic-cities/

 

solvesql.com

 

* 문제 저작권으로 인하여 직접 작성한 쿼리문만 첨부

select year, upper(substring(city,0,4)) as city
from games
where year > 1999
order by year desc

 

substring(자를 문자열, startIdx, endIdx) - startIdx부터 endIdx 직전까지(포함X) 문자열을 잘라 반환

upper(문자열) - 문자열 내 문자를 모두 대문자로 변환하여 반환

+ Recent posts