Pomodoro 프로젝트
25분 일하면 5분 휴식, 4번 일하면 20분의 긴 휴식을 카운트해주는 어플리케이션이다.
파이썬을 접하고서 가장 어려웠던 프로젝트로
타이머 메커니즘을 눈여겨 보면 좋을거같다.
from tkinter import *
import math
# ---------------------------- CONSTANTS ------------------------------- #
PINK = "#e2979c"
RED = "#e7305b"
GREEN = "#9bdeac"
YELLOW = "#f7f5dd"
FONT_NAME = "Courier"
WORK_MIN = 25
SHORT_BREAK_MIN = 5
LONG_BREAK_MIN = 20
reps = 0
timer = None
# ---------------------------- 타이머 리셋 ------------------------------- #def reset_timer():
"""리셋 버튼에서 작동하는 함수"""
window.after_cancel(timer)# 타이머 종료
canvas.itemconfig(timer_text, text="00:00")# 타이머 텍스트 초기화
title_label.config(text="Timer")# 타이머 제목 초기화
check_marks.config(text="")# 체크 마크 초기화# 전역 상수 reps 초기화global reps
reps = 0
# ---------------------------- 타이머 메커니즘 ------------------------------- #def start_timer():
"""start 버튼에서 작동하는 함수"""
# 전역 상수 reps +1global reps
reps += 1
work_sec = WORK_MIN * 60
short_break_sec = SHORT_BREAK_MIN * 60
long_break_sec = LONG_BREAK_MIN * 60
# 8개의 세션 나누기# 8번째 세선에 긴 휴식 지정if reps % 8 == 0:
count_down(long_break_sec)
title_label.config(text="Break", fg=RED)
# 2,4,6번째 세션에 짧은 휴식 지정elif reps % 2 == 0:
count_down(short_break_sec)
title_label.config(text="Break", fg=PINK)
# 1,3,5,7번째 세션에 긴 휴식 지정else:
count_down(work_sec)
title_label.config(text="Work", fg=GREEN)
# ---------------------------- 카운트다운 메커니즘 ------------------------------- #def count_down(count):
count_min = math.floor(count / 60)# math모듈의 floor함수로 나머지 값 버리기
count_sec = count % 60# 모듈러로 나머지 값 가져오기# 10초 미만일 경우 9,8,7이 아닌 09,08,07로 출력하기if count_sec < 10:
count_sec = f"0{count_sec}"
canvas.itemconfig(timer_text, text=f"{count_min}:{count_sec}")
# 0보다 클경우 타이머 실행if count > 0:
global timer
timer = window.after(1000, count_down, count - 1)# 1초간격으로, count_down함수 실행, count 인자 -1로 출력# 0일 경우else:
start_timer()# 타이머 재시작# 체크마크 생성하기
marks = ""
work_sessions = math.floor(reps/2)
for _ in range(work_sessions):
marks += "✔"
check_marks.config(text=marks)
# ---------------------------- UI SETUP ------------------------------- #
window = Tk()
window.title("Pomodoro")
window.config(padx=100, pady=50, bg=YELLOW)
title_label = Label(text="Timer", fg=GREEN, bg=YELLOW, font=(FONT_NAME, 50))
title_label.grid(column=1, row=0)
canvas = Canvas(width=200, height=224, bg=YELLOW, highlightthickness=0)
tomato_img = PhotoImage(file="tomato.png")
canvas.create_image(100, 112, image=tomato_img)
timer_text = canvas.create_text(100, 130, text="00:00", fill="white", font=(FONT_NAME, 35, "bold"))
canvas.grid(column=1, row=1)
start_button = Button(text="Start", highlightthickness=0, command=start_timer)
start_button.grid(column=0, row=2)
reset_button = Button(text="Reset", highlightthickness=0, command=reset_timer)
reset_button.grid(column=2, row=2)
check_marks = Label(fg=GREEN, bg=YELLOW)
check_marks.grid(column=1, row=3)
window.mainloop()