Coding/Python 삽질기2025. 2. 27. 19:31

JetBrain AI Assistant를 이용하여 근무시간표를 짜주는 스크립트를 만들어 보았다.

1차 도전 ChatGPT 4o로 모델을 설정하고 아래와 같이 요청했다.

아래 조건에 해당하는 엑셀 파일을 생성하는 파이썬 스크립트를 만들어 주세요.
1. xx년 yy월을 입력 받아서 해당 연월의 달력을 만들어주세요
2. 일요일은 빨간색 글자로 표시해 주세요.
3. 토요일은 파란색 글자로 표시해 주세요.
4. 휴일은 빨간색 글자로 표시해 주세요.
5. 휴일을 설정할 수 있는 holiday 필드를 만들어 주세요
6. 근무자 리스트를 입력 할 수 있는 worker 리스트 변수를 만들어 주세요
7. 근무자 리스트에는 아래와 같은 형식의 딕셔너리 자료구조를 이용해서 근무자의 제한 조건을 받게 해주세요
   {최대 근무일수: N, 휴일근무가능: Yes or No, 일요일 근무 가능: Yes or No, 토요일 근무 가능: Yes or No, 근무 불가 날짜 리스트:[]}
8. 각 날짜 아래에는 근무자 이름이 표시되게 해주세요.

작성된 코드를 실행하니 뭐가 하나씩 부족했다.

몇번을 버그리포팅을 하다가, ChatGPT o1으로 모델을 변경하고, 다시 작성을 요청했다.

import calendar
from itertools import cycle
from openpyxl import Workbook
from openpyxl.styles import Font, Alignment


def create_calendar(year, month, holidays, workers):
    # '일요일'을 주의 시작으로 설정
    calendar.setfirstweekday(calendar.SUNDAY)
    # monthdayscalendar: 한 달을 주 단위로 나눈 2차원 리스트 반환
    # 예: [[0, 0, 1, 2, 3, 4, 5], [6, 7, 8, 9, 10, 11, 12], ...]
    #    -> [일, 월, 화, 수, 목, 금, 토]
    month_matrix = calendar.monthcalendar(year, month)

    # 워크북 및 워크시트 생성
    wb = Workbook()
    ws = wb.active
    ws.title = f"{year}년 {month}월"

    # 헤더 (일~토)
    headers = ["일", "월", "화", "수", "목", "금", "토"]
    for col, header in enumerate(headers, start=1):
        cell = ws.cell(row=1, column=col)
        cell.value = header
        cell.font = Font(bold=True)
        cell.alignment = Alignment(horizontal="center")

    # 색상 스타일
    red_font = Font(color="FF0000")  # 빨간색 → 일요일 / 공휴일
    blue_font = Font(color="0000FF")  # 파란색 → 토요일

    # 근무자 순환 (cycle)
    worker_cycle = cycle(workers)

    # 달력에 날짜 및 근무자 표시
    # month_matrix는 각 주(week)에 대해 일~토(7개) 날짜를 리스트로 갖고 있음
    # 일자(day_num)가 0이면 그 주에 해당 요일은 비어있음을 의미
    # 주마다 2줄(첫 줄: 날짜, 둘째: 근무자)
    start_row = 2
    for week_index, week in enumerate(month_matrix):
        # 한 주의 날짜들을 표시할 행(week_row) 계산
        # 첫 번째 주 -> start_row=2, 두 번째 주 -> 4, 세 번째 주 -> 6, ...
        week_row = start_row + (week_index * 2)

        for col_index, day_num in enumerate(week, start=1):
            if day_num == 0:
                # 0이면 해당 칸이 비어있는 날이므로 건너뜀
                continue

            # 날짜 표시 (week_row 행, col_index 열)
            day_cell = ws.cell(row=week_row, column=col_index)
            day_cell.value = day_num
            day_cell.alignment = Alignment(horizontal="center")

            # 요일별 색상 설정
            if col_index == 1:  # 일요일 (컬럼 1)
                day_cell.font = red_font
            elif col_index == 7:  # 토요일 (컬럼 7)
                day_cell.font = blue_font
            # 공휴일(holidays)에 해당한다면 빨간색 추가 적용
            if day_num in holidays:
                day_cell.font = red_font

            # 근무자 표시 (날짜 아래 한 줄)
            worker_cell = ws.cell(row=week_row + 1, column=col_index)
            worker = next(worker_cycle, None)
            worker_cell.value = worker["이름"] if worker else ""
            worker_cell.alignment = Alignment(horizontal="center")

    # 엑셀 파일 저장
    file_name = f"{year}_{month}_calendar.xlsx"
    wb.save(file_name)
    print(f"{file_name} 파일이 생성되었습니다!\n")


# 테스트용 코드
if __name__ == "__main__":
    year = 2023
    month = 11
    holidays = [5, 15, 25]
    workers = [
        {"이름": "홍길동", "최대 근무일수": 5, "휴일근무가능": "Yes", "일요일 근무 가능": "No", "토요일 근무 가능": "Yes", "근무 불가 날짜 리스트": [5]},
        {"이름": "김철수", "최대 근무일수": 7, "휴일근무가능": "No", "일요일 근무 가능": "Yes", "토요일 근무 가능": "No", "근무 불가 날짜 리스트": [12]},
        {"이름": "박영희", "최대 근무일수": 6, "휴일근무가능": "Yes", "일요일 근무 가능": "Yes", "토요일 근무 가능": "Yes", "근무 불가 날짜 리스트": [20]},
    ]

    create_calendar(year, month, holidays, workers)

몇 번의 추가 질문 끝에 위와 같은 스크립트를 얻을 수 있었다.

실행 결과

결론적으로, AI를 잘 쓰기 위해서는 개인의 수련이 필요한 것 같다.

'Coding > Python 삽질기' 카테고리의 다른 글

[Python] Jupyter notebook 팁  (0) 2024.05.11
[SQL] BEGIN TRANSACTION  (0) 2024.03.07
Cardioid 그리기  (0) 2024.02.17
Posted by chobocho
Coding/Python 삽질기2023. 9. 15. 00:48

오래 전, 라떼 시절 만들었던 파이썬 코드를  Chat GPT를 이용하여 개선해 보았다.

Python 2.X 시절 만든 코드를 3.X로 바꾸면서 저장 기능 까지 추가 하였다.

[원본 코드]

https://chobocho.tistory.com/2460823

 

Fractal Tree

#-*- coding: cp949 -*- from Tkinter import * import math import random RADIAN = math.pi / 180 aColor = [ "brown", "red", "blue", "green", "orange", "black" ] def DrawTree( startX, startY, angle, length, depth ): if depth == 0: return rand=random.random; en

chobocho.tistory.com

 

[개선 코드]

 

from tkinter import *
import math
import random
from PIL import Image, ImageDraw

RADIAN = math.pi / 180


def random_color():
    r = random.randint(0, 255)
    g = random.randint(0, 255)
    b = random.randint(0, 255)
    return r, g, b


def draw_tree(start_x, start_y, angle, length, depth, image_draw=None):
    if depth == 0:
        return

    scale = int(depth/12) + 1
    end_x = start_x + length * scale * math.cos(angle * RADIAN)
    end_y = start_y - length * scale * math.sin(angle * RADIAN)

    image_draw.line([start_x, start_y, end_x, end_y], width=depth, fill=random_color())

    draw_tree(end_x, end_y, angle + random.randint(10, 30), length * random.uniform(0.8, 0.9), depth - 1, image_draw)
    draw_tree(end_x, end_y, angle - random.randint(10, 30), length * random.uniform(0.8, 0.9), depth - 1, image_draw)


def draw_new_tree():
    myCanvas.delete("all")  # Clear the canvas

    image = Image.new("RGB", (800, 600), "white")
    image_draw = ImageDraw.Draw(image)
    draw_tree(400, 550, 90, 70, 12, image_draw)
    image.save("fractal_tree.png", "PNG")  # Save the image as PNG

    photo = PhotoImage(file="fractal_tree.png")
    myCanvas.create_image(0, 0, image=photo, anchor=NW)
    myCanvas.photo = photo


if __name__ == "__main__":
    root = Tk()
    root.title("프랙탈 나무")
    root.geometry("800x600")

    myCanvas = Canvas(width=800, height=600)

    draw_button = Button(text="새로운 나무 그리기", command=draw_new_tree)
    draw_button.pack()

    myCanvas.pack()
    root.mainloop()

 

'Coding > Python 삽질기' 카테고리의 다른 글

[Python] PNG to ICO 변환 하기  (0) 2024.01.04
[Python] Python 소스 코드 빌드 해보기  (1) 2023.09.06
HTTP Protocol  (0) 2023.08.18
Posted by chobocho
Coding/Python 삽질기2022. 4. 23. 00:49

C library 작성

#include <stdio.h>
int add(int left, int right) {
    return left+right;
}
 
C library 빌드
gcc -shared -o libaddnumber.so add_number.c
 

Python Code 작성

from ctypes import CDLL
 
def main():
    c_func = CDLL('./libaddnumber.so')
    print(c_func.add(10, 20))
 
if __name__ == '__main__':
    main()
 
 
실행결과
chobocho@Chobocho-Mint:~/github/python/sharedlib$ python3 add_number.py 
30

'Coding > Python 삽질기' 카테고리의 다른 글

About Pyscript  (0) 2022.06.10
[PyTorch] CUDA 설치기  (0) 2022.02.21
생일 문제  (0) 2021.06.21
Posted by chobocho
Coding/Python 삽질기2019. 12. 5. 23:32

떨어져 가는 기억력을 보완하고자,

Python 으로 메모관리 툴을 만들어 보기로 했다.

다운로드: https://chobocho.tistory.com/2461419

소스코드: https://github.com/chobocho/ChoboMemo2

1. 요구사항 정의

먼저, 아래와 같이 요구사항을 간단히 정리해 보았다.

2. 설계

그리고 이를 바탕으로 간단히 UML을 그려 보았다

3. 결과

완성된 모습은 아래와 같다

Posted by chobocho