| 상품명 | +상품코드 | +바코드 | +판매가 | +QR | +
|---|---|---|---|---|
|
+ 🔍
+ 상품명, 바코드, 상품코드로 검색하세요 + |
+ ||||
diff --git a/backend/app.py b/backend/app.py index 86f0f69..183f675 100644 --- a/backend/app.py +++ b/backend/app.py @@ -2461,6 +2461,93 @@ def admin_sales_detail(): return render_template('admin_sales_detail.html') +# ===== 제품 검색 페이지 ===== + +@app.route('/admin/products') +def admin_products(): + """제품 검색 페이지 (전체 재고에서 검색, QR 인쇄)""" + return render_template('admin_products.html') + + +@app.route('/api/products') +def api_products(): + """ + 제품 검색 API + - 상품명, 상품코드, 바코드로 검색 + - 세트상품 바코드도 CD_ITEM_UNIT_MEMBER에서 조회 + """ + search = request.args.get('search', '').strip() + limit = int(request.args.get('limit', 100)) + + if not search or len(search) < 2: + return jsonify({'success': False, 'error': '검색어는 2글자 이상 입력하세요'}) + + try: + drug_session = db_manager.get_session('PM_DRUG') + + # 제품 검색 쿼리 + # CD_GOODS.BARCODE가 없으면 CD_ITEM_UNIT_MEMBER.CD_CD_BARCODE 사용 (세트상품) + # 세트상품 여부 확인: CD_item_set에 SetCode로 존재하면 세트상품 + products_query = text(f""" + SELECT TOP {limit} + G.DrugCode as drug_code, + G.GoodsName as product_name, + COALESCE(NULLIF(G.BARCODE, ''), U.CD_CD_BARCODE, '') as barcode, + G.Saleprice as sale_price, + G.Price as cost_price, + CASE + WHEN G.SplName IS NOT NULL AND G.SplName != '' THEN G.SplName + WHEN SET_CHK.is_set = 1 THEN N'세트상품' + ELSE '' + END as supplier, + CASE WHEN SET_CHK.is_set = 1 THEN 1 ELSE 0 END as is_set + FROM CD_GOODS G + OUTER APPLY ( + SELECT TOP 1 CD_CD_BARCODE + FROM CD_ITEM_UNIT_MEMBER + WHERE DRUGCODE = G.DrugCode AND CD_CD_BARCODE IS NOT NULL AND CD_CD_BARCODE != '' + ) U + OUTER APPLY ( + SELECT TOP 1 1 as is_set + FROM CD_item_set + WHERE SetCode = G.DrugCode AND DrugCode = 'SET0000' + ) SET_CHK + WHERE + G.GoodsName LIKE :search_like + OR G.DrugCode LIKE :search_like + OR G.BARCODE LIKE :search_like + OR U.CD_CD_BARCODE LIKE :search_like + ORDER BY G.GoodsName + """) + + search_like = f'%{search}%' + rows = drug_session.execute(products_query, { + 'search_like': search_like + }).fetchall() + + items = [] + for row in rows: + items.append({ + 'drug_code': row.drug_code or '', + 'product_name': row.product_name or '', + 'barcode': row.barcode or '', + 'sale_price': float(row.sale_price) if row.sale_price else 0, + 'cost_price': float(row.cost_price) if row.cost_price else 0, + 'supplier': row.supplier or '', + 'is_set': bool(row.is_set) + }) + + return jsonify({ + 'success': True, + 'items': items, + 'count': len(items) + }) + + except Exception as e: + logging.error(f"제품 검색 오류: {e}") + return jsonify({'success': False, 'error': str(e)}), 500 + + @app.route('/admin/sales') def admin_sales_pos(): """판매 내역 페이지 (POS 스타일, 거래별 그룹핑)""" @@ -2483,6 +2570,7 @@ def api_sales_detail(): # 판매 내역 조회 (최근 N일) # CD_GOODS.BARCODE가 없으면 CD_ITEM_UNIT_MEMBER.CD_CD_BARCODE 사용 (세트상품/자체등록 바코드) + # 세트상품 여부 확인: CD_item_set에 SetCode로 존재하면 세트상품 sales_query = text(""" SELECT S.SL_DT_appl as sale_date, @@ -2490,7 +2578,11 @@ def api_sales_detail(): S.DrugCode as drug_code, ISNULL(G.GoodsName, '알 수 없음') as product_name, COALESCE(NULLIF(G.BARCODE, ''), U.CD_CD_BARCODE, '') as barcode, - ISNULL(G.SplName, '') as supplier, + CASE + WHEN G.SplName IS NOT NULL AND G.SplName != '' THEN G.SplName + WHEN SET_CHK.is_set = 1 THEN '세트상품' + ELSE '' + END as supplier, ISNULL(S.QUAN, 1) as quantity, ISNULL(S.SL_TOTAL_PRICE, 0) as total_price_db, ISNULL(G.Saleprice, 0) as unit_price @@ -2501,6 +2593,11 @@ def api_sales_detail(): FROM PM_DRUG.dbo.CD_ITEM_UNIT_MEMBER WHERE DRUGCODE = S.DrugCode AND CD_CD_BARCODE IS NOT NULL AND CD_CD_BARCODE != '' ) U + OUTER APPLY ( + SELECT TOP 1 1 as is_set + FROM PM_DRUG.dbo.CD_item_set + WHERE SetCode = S.DrugCode AND DrugCode = 'SET0000' + ) SET_CHK WHERE S.SL_DT_appl >= CONVERT(VARCHAR(8), DATEADD(DAY, -:days, GETDATE()), 112) ORDER BY S.SL_DT_appl DESC, S.SL_NO_order DESC """) @@ -2745,6 +2842,84 @@ def api_claude_status(): }), 500 +# ============================================================================= +# QR 라벨 인쇄 API +# ============================================================================= + +@app.route('/api/qr-print', methods=['POST']) +def api_qr_print(): + """QR 라벨 인쇄 API""" + try: + from qr_printer import print_drug_qr_label + + data = request.get_json() + if not data: + return jsonify({'success': False, 'error': '데이터가 없습니다'}), 400 + + drug_name = data.get('drug_name', '') + barcode = data.get('barcode', '') + drug_code = data.get('drug_code', '') + sale_price = data.get('sale_price', 0) + + if not drug_name: + return jsonify({'success': False, 'error': '상품명이 필요합니다'}), 400 + + # 바코드가 없으면 drug_code 사용 + qr_data = barcode if barcode else drug_code + + result = print_drug_qr_label( + drug_name=drug_name, + barcode=qr_data, + sale_price=sale_price, + drug_code=drug_code, + pharmacy_name='청춘약국' + ) + + return jsonify(result) + + except ImportError as e: + logging.error(f"QR 프린터 모듈 로드 실패: {e}") + return jsonify({'success': False, 'error': 'QR 프린터 모듈이 없습니다'}), 500 + except Exception as e: + logging.error(f"QR 인쇄 오류: {e}") + return jsonify({'success': False, 'error': str(e)}), 500 + + +@app.route('/api/qr-preview', methods=['POST']) +def api_qr_preview(): + """QR 라벨 미리보기 API (base64 이미지 반환)""" + try: + from qr_printer import preview_qr_label + + data = request.get_json() + if not data: + return jsonify({'success': False, 'error': '데이터가 없습니다'}), 400 + + drug_name = data.get('drug_name', '') + barcode = data.get('barcode', '') + drug_code = data.get('drug_code', '') + sale_price = data.get('sale_price', 0) + + if not drug_name: + return jsonify({'success': False, 'error': '상품명이 필요합니다'}), 400 + + qr_data = barcode if barcode else drug_code + + image_data = preview_qr_label( + drug_name=drug_name, + barcode=qr_data, + sale_price=sale_price, + drug_code=drug_code, + pharmacy_name='청춘약국' + ) + + return jsonify({'success': True, 'image': image_data}) + + except Exception as e: + logging.error(f"QR 미리보기 오류: {e}") + return jsonify({'success': False, 'error': str(e)}), 500 + + if __name__ == '__main__': # 개발 모드로 실행 app.run(host='0.0.0.0', port=7001, debug=True) diff --git a/backend/gui/check_cash.py b/backend/gui/check_cash.py new file mode 100644 index 0000000..6ec0504 --- /dev/null +++ b/backend/gui/check_cash.py @@ -0,0 +1,121 @@ +import pyodbc, sys +sys.stdout.reconfigure(encoding='utf-8') + +conn = pyodbc.connect( + r'DRIVER={ODBC Driver 17 for SQL Server};SERVER=192.168.0.4\PM2014;DATABASE=PM_PRES;UID=sa;PWD=tmddls214!%(;Encrypt=no;TrustServerCertificate=yes;' +) +cur = conn.cursor() + +# 조제 주문(180)이 SALE_MAIN에 있는지 확인 +cur.execute(""" +SELECT SL_NO_order, SL_DT_appl, SL_NM_custom, SL_MY_sale, InsertTime, PRESERIAL +FROM SALE_MAIN +WHERE SL_NO_order = '20260225000180' +""") +r = cur.fetchone() +print(f'=== 조제 주문 180 in SALE_MAIN: {"있음" if r else "없음"} ===') +if r: + print(f' 주문={r[0]} 날짜={r[1]} 고객={r[2]} 금액={r[3]} 시간={r[4]} PRESERIAL={r[5]}') + +# SALE_MAIN 총 건수 vs CD_SUNAB 총 건수 +cur.execute("SELECT COUNT(*) FROM SALE_MAIN WHERE SL_DT_appl = '20260225'") +sale_cnt = cur.fetchone()[0] +cur.execute("SELECT COUNT(*) FROM CD_SUNAB WHERE INDATE = '20260225'") +sunab_cnt = cur.fetchone()[0] +print(f'\n=== 오늘 건수 비교 ===') +print(f' SALE_MAIN: {sale_cnt}건') +print(f' CD_SUNAB: {sunab_cnt}건') + +# CD_SUNAB 컬럼 구조 확인 +cur.execute("SELECT TOP 1 * FROM CD_SUNAB WHERE INDATE = '20260225'") +cols = [d[0] for d in cur.description] +print(f'\n=== CD_SUNAB 컬럼 ({len(cols)}개) ===') +for i, c in enumerate(cols): + print(f' {i}: {c}') + +# CD_SUNAB 조제건(SALE_MAIN 없는 91건)의 PRESERIAL vs PS_main.PreSerial 매칭 +cur.execute(""" +SELECT S.PRESERIAL +FROM CD_SUNAB S +WHERE S.INDATE = '20260225' + AND NOT EXISTS (SELECT 1 FROM SALE_MAIN M WHERE M.SL_NO_order = S.PRESERIAL) +""") +sunab_only = [r[0] for r in cur.fetchall()] +print(f'\n=== CD_SUNAB만 있는 91건 vs PS_main 매칭 ===') + +# PS_main의 PreSerial 패턴 확인 +cur.execute("SELECT TOP 5 PreSerial, Day_Serial, Indate, Paname FROM PS_main WHERE Indate = '20260225' ORDER BY PreSerial DESC") +print('PS_main 샘플:') +for r in cur.fetchall(): + print(f' PreSerial={r[0]} | Day_Serial={r[1]} | Indate={r[2]} | 환자={r[3]}') + +# CD_SUNAB PRESERIAL vs PS_main PreSerial 직접 비교 +# CD_SUNAB.PRESERIAL = '20260225000180' 형태 +# PS_main.PreSerial = ? 형태 확인 +cur.execute(""" +SELECT COUNT(*) +FROM CD_SUNAB S +WHERE S.INDATE = '20260225' + AND NOT EXISTS (SELECT 1 FROM SALE_MAIN M WHERE M.SL_NO_order = S.PRESERIAL) + AND EXISTS (SELECT 1 FROM PS_main P WHERE P.PreSerial = S.PRESERIAL AND P.Indate = '20260225') +""") +matched = cur.fetchone()[0] + +cur.execute(""" +SELECT S.PRESERIAL +FROM CD_SUNAB S +WHERE S.INDATE = '20260225' + AND NOT EXISTS (SELECT 1 FROM SALE_MAIN M WHERE M.SL_NO_order = S.PRESERIAL) + AND NOT EXISTS (SELECT 1 FROM PS_main P WHERE P.PreSerial = S.PRESERIAL AND P.Indate = '20260225') +""") +unmatched = cur.fetchall() + +print(f'\nCD_SUNAB 91건 중 PS_main 매칭: {matched}건') +print(f'CD_SUNAB 91건 중 PS_main 미매칭: {len(unmatched)}건') + +for r in unmatched: + serial = r[0] + print(f'\n=== 미매칭 {serial} ===') + + # CD_SUNAB에서 금액, 승인일시 + cur.execute(""" + SELECT ISNULL(ETC_CARD,0)+ISNULL(ETC_CASH,0) as etc, + ISNULL(OTC_CARD,0)+ISNULL(OTC_CASH,0) as otc, + APPR_DATE, CUSCODE, DaeRiSunab, YOHUDATE + FROM CD_SUNAB WHERE PRESERIAL = ? AND INDATE = '20260225' + """, serial) + d = cur.fetchone() + print(f' ETC={d[0]:,.0f} OTC={d[1]:,.0f} | 승인일시={d[2]} | CUSCODE={d[3]} | 대리수납={d[4]} | 요후일={d[5]}') + + # 다른 날짜의 PS_main에서 같은 PRESERIAL 검색 (날짜 무관) + cur.execute("SELECT PreSerial, Indate, Paname, Day_Serial FROM PS_main WHERE PreSerial = ?", serial) + ps = cur.fetchone() + if ps: + print(f' → PS_main 발견! 날짜={ps[1]} 환자={ps[2]} Day_Serial={ps[3]}') + else: + print(f' → PS_main 전체에서도 없음') + + # PRESERIAL 번호 앞 8자리가 다른 날짜인 CD_SUNAB 검색 + cur.execute(""" + SELECT INDATE, PRESERIAL, ISNULL(ETC_CARD,0)+ISNULL(ETC_CASH,0) as etc + FROM CD_SUNAB WHERE PRESERIAL = ? AND INDATE != '20260225' + """, serial) + other = cur.fetchall() + if other: + for o in other: + print(f' → 다른 날짜 CD_SUNAB 발견! INDATE={o[0]} ETC={o[2]:,.0f}') + + # CUSCODE로 PS_main 검색 (같은 환자의 이전 처방?) + if d[3] and d[3].strip(): + cur.execute(""" + SELECT TOP 3 PreSerial, Indate, Paname, Day_Serial + FROM PS_main WHERE CusCode = ? + ORDER BY Indate DESC, Day_Serial DESC + """, d[3].strip()) + ps_list = cur.fetchall() + if ps_list: + print(f' → 같은 CUSCODE({d[3]})의 최근 PS_main:') + for p in ps_list: + print(f' PreSerial={p[0]} 날짜={p[1]} 환자={p[2]}') + +conn.close() diff --git a/backend/gui/check_sunab.py b/backend/gui/check_sunab.py new file mode 100644 index 0000000..0e19fc5 --- /dev/null +++ b/backend/gui/check_sunab.py @@ -0,0 +1,49 @@ +import pyodbc, sys +sys.stdout.reconfigure(encoding='utf-8') + +conn = pyodbc.connect( + r'DRIVER={ODBC Driver 17 for SQL Server};SERVER=192.168.0.4\PM2014;DATABASE=PM_PRES;UID=sa;PWD=tmddls214!%(;Encrypt=no;TrustServerCertificate=yes;' +) +cur = conn.cursor() + +# 오늘 현금영수증 발행 건 확인 +cur.execute(""" +SELECT + PRESERIAL, + ETC_CASH, OTC_CASH, ETC_CARD, OTC_CARD, + nCASHINMODE, nAPPROVAL_NUM, nCHK_GUBUN +FROM CD_SUNAB +WHERE INDATE = '20260225' + AND nAPPROVAL_NUM IS NOT NULL AND nAPPROVAL_NUM != '' +ORDER BY PRESERIAL DESC +""") +rows = cur.fetchall() +print(f'=== 오늘 현금영수증 발행 건: {len(rows)}건 ===') +for r in rows: + cash = (r[1] or 0) + (r[2] or 0) + card = (r[3] or 0) + (r[4] or 0) + pay = '카드' if card > 0 else '현금' if cash > 0 else '?' + print(f' 주문={r[0]} | {pay} | 현금={cash:,} 카드={card:,} | 영수증모드={r[5]} | 승인번호={r[6]} | 구분={r[7]}') + +# 오늘 전체 현금 결제 건 (영수증 무관) +cur.execute(""" +SELECT COUNT(*) FROM CD_SUNAB +WHERE INDATE = '20260225' + AND (ETC_CASH > 0 OR OTC_CASH > 0) +""") +r = cur.fetchone() +print(f'\n=== 오늘 현금 결제 건: {r[0]}건 ===') + +# 오늘 nCASHINMODE가 있는 건 (영수증 입력 방식 있음) +cur.execute(""" +SELECT nCASHINMODE, COUNT(*) as cnt +FROM CD_SUNAB +WHERE INDATE = '20260225' + AND nCASHINMODE IS NOT NULL AND nCASHINMODE != '' +GROUP BY nCASHINMODE +""") +print(f'\n=== 오늘 nCASHINMODE 분포 ===') +for r in cur.fetchall(): + print(f' 모드={r[0]} → {r[1]}건') + +conn.close() diff --git a/backend/qr_printer.py b/backend/qr_printer.py new file mode 100644 index 0000000..1ab62bd --- /dev/null +++ b/backend/qr_printer.py @@ -0,0 +1,262 @@ +# qr_printer.py - Brother QL-710W QR 라벨 인쇄 +# person-lookup-web-local/print_label.py에서 핵심 기능만 추출 + +from PIL import Image, ImageDraw, ImageFont +import io +import logging +import qrcode + +# 프린터 설정 +PRINTER_IP = "192.168.0.121" +PRINTER_MODEL = "QL-710W" +LABEL_TYPE = "29" # 29mm 연속 출력 용지 + +# Windows 폰트 경로 +FONT_PATH = "C:/Windows/Fonts/malgunbd.ttf" + +logging.basicConfig(level=logging.INFO) + + +def create_drug_qr_label(drug_name, barcode, sale_price, drug_code=None, pharmacy_name='청춘약국'): + """ + 약품 QR 라벨 이미지 생성 + + Parameters: + drug_name (str): 약품명 + barcode (str): 바코드 (QR 코드로 변환) + sale_price (float): 판매가격 + drug_code (str, optional): 약품 코드 (바코드가 없을 때 대체) + pharmacy_name (str, optional): 약국 이름 + + Returns: + PIL.Image: 생성된 라벨 이미지 + """ + label_width = 306 + label_height = 380 + image = Image.new("1", (label_width, label_height), "white") + draw = ImageDraw.Draw(image) + + # 폰트 설정 + try: + drug_name_font = ImageFont.truetype(FONT_PATH, 32) + price_font = ImageFont.truetype(FONT_PATH, 36) + label_font = ImageFont.truetype(FONT_PATH, 24) + except IOError: + drug_name_font = ImageFont.load_default() + price_font = ImageFont.load_default() + label_font = ImageFont.load_default() + logging.warning("폰트 로드 실패. 기본 폰트 사용.") + + # 바코드가 없으면 약품 코드 사용 + qr_data = barcode if barcode else (drug_code if drug_code else "NO_BARCODE") + + # QR 코드 생성 + qr = qrcode.QRCode( + version=1, + error_correction=qrcode.constants.ERROR_CORRECT_L, + box_size=4, + border=1, + ) + qr.add_data(qr_data) + qr.make(fit=True) + qr_img = qr.make_image(fill_color="black", back_color="white") + + # QR 코드 크기 조정 및 배치 + qr_size = 130 + qr_img = qr_img.resize((qr_size, qr_size), Image.LANCZOS) + qr_x = (label_width - qr_size) // 2 + qr_y = 15 + + if qr_img.mode != '1': + qr_img = qr_img.convert('1') + image.paste(qr_img, (qr_x, qr_y)) + + # 약품명 (QR 코드 아래) + y_position = qr_y + qr_size + 10 + + def draw_wrapped_text(draw, text, y, font, max_width): + """텍스트를 여러 줄로 표시""" + chars = list(text) + lines = [] + current_line = "" + + for char in chars: + test_line = current_line + char + bbox = draw.textbbox((0, 0), test_line, font=font) + w = bbox[2] - bbox[0] + + if w <= max_width: + current_line = test_line + else: + if current_line: + lines.append(current_line) + current_line = char + + if current_line: + lines.append(current_line) + + lines = lines[:2] # 최대 2줄 + + for line in lines: + bbox = draw.textbbox((0, 0), line, font=font) + w, h = bbox[2] - bbox[0], bbox[3] - bbox[1] + draw.text(((label_width - w) / 2, y), line, font=font, fill="black") + y += h + 5 + + return y + + y_position = draw_wrapped_text(draw, drug_name, y_position, drug_name_font, label_width - 40) + y_position += 8 + + # 가격 + if sale_price and sale_price > 0: + price_text = f"₩{int(sale_price):,}" + else: + price_text = "가격 미정" + + bbox = draw.textbbox((0, 0), price_text, font=price_font) + w, h = bbox[2] - bbox[0], bbox[3] - bbox[1] + draw.text(((label_width - w) / 2, y_position), price_text, font=price_font, fill="black") + y_position += h + 15 + + # 구분선 + line_margin = 30 + draw.line([(line_margin, y_position), (label_width - line_margin, y_position)], fill="black", width=2) + y_position += 20 + + # 약국 이름 + signature_text = " ".join(pharmacy_name) + bbox = draw.textbbox((0, 0), signature_text, font=label_font) + w_sig, h_sig = bbox[2] - bbox[0], bbox[3] - bbox[1] + + padding = 10 + box_x = (label_width - w_sig) / 2 - padding + box_y = y_position + box_x2 = box_x + w_sig + 2 * padding + box_y2 = box_y + h_sig + 2 * padding + draw.rectangle([(box_x, box_y), (box_x2, box_y2)], outline="black", width=2) + draw.text(((label_width - w_sig) / 2, box_y + padding), signature_text, font=label_font, fill="black") + + # 절취선 테두리 + draw_scissor_border(draw, label_width, label_height) + + return image + + +def draw_scissor_border(draw, width, height, edge_size=10, steps=20): + """절취선 테두리""" + # 상단 + top_points = [] + step_x = width / (steps * 2) + for i in range(steps * 2 + 1): + x = i * step_x + y = 0 if i % 2 == 0 else edge_size + top_points.append((int(x), int(y))) + draw.line(top_points, fill="black", width=2) + + # 하단 + bottom_points = [] + for i in range(steps * 2 + 1): + x = i * step_x + y = height if i % 2 == 0 else height - edge_size + bottom_points.append((int(x), int(y))) + draw.line(bottom_points, fill="black", width=2) + + # 좌측 + left_points = [] + step_y = height / (steps * 2) + for i in range(steps * 2 + 1): + y = i * step_y + x = 0 if i % 2 == 0 else edge_size + left_points.append((int(x), int(y))) + draw.line(left_points, fill="black", width=2) + + # 우측 + right_points = [] + for i in range(steps * 2 + 1): + y = i * step_y + x = width if i % 2 == 0 else width - edge_size + right_points.append((int(x), int(y))) + draw.line(right_points, fill="black", width=2) + + +def print_drug_qr_label(drug_name, barcode, sale_price, drug_code=None, pharmacy_name='청춘약국'): + """ + 약품 QR 라벨 인쇄 실행 + + Parameters: + drug_name (str): 약품명 + barcode (str): 바코드 + sale_price (float): 판매가격 + drug_code (str, optional): 약품 코드 + pharmacy_name (str, optional): 약국 이름 + + Returns: + dict: 성공/실패 결과 + """ + try: + from brother_ql.raster import BrotherQLRaster + from brother_ql.conversion import convert + from brother_ql.backends.helpers import send + + label_image = create_drug_qr_label(drug_name, barcode, sale_price, drug_code, pharmacy_name) + + # 이미지를 메모리 스트림으로 변환 + image_stream = io.BytesIO() + label_image.save(image_stream, format="PNG") + image_stream.seek(0) + + # Brother QL 프린터로 전송 + qlr = BrotherQLRaster(PRINTER_MODEL) + instructions = convert( + qlr=qlr, + images=[Image.open(image_stream)], + label=LABEL_TYPE, + rotate="0", + threshold=70.0, + dither=False, + compress=False, + lq=True, + red=False + ) + send(instructions, printer_identifier=f"tcp://{PRINTER_IP}:9100") + + logging.info(f"QR 라벨 인쇄 성공: {drug_name}, 바코드={barcode}") + return {"success": True, "message": f"{drug_name} QR 라벨 인쇄 완료"} + + except ImportError as e: + logging.error(f"brother_ql 라이브러리 없음: {e}") + return {"success": False, "error": "brother_ql 라이브러리가 설치되지 않았습니다"} + except Exception as e: + logging.error(f"QR 라벨 인쇄 실패: {e}") + return {"success": False, "error": str(e)} + + +def preview_qr_label(drug_name, barcode, sale_price, drug_code=None, pharmacy_name='청춘약국'): + """ + QR 라벨 미리보기 (base64 이미지 반환) + """ + import base64 + + label_image = create_drug_qr_label(drug_name, barcode, sale_price, drug_code, pharmacy_name) + + # PNG로 변환 + image_stream = io.BytesIO() + # 1-bit 이미지를 RGB로 변환하여 더 깔끔하게 + rgb_image = label_image.convert('RGB') + rgb_image.save(image_stream, format="PNG") + image_stream.seek(0) + + base64_image = base64.b64encode(image_stream.read()).decode('utf-8') + return f"data:image/png;base64,{base64_image}" + + +if __name__ == "__main__": + # 테스트 + result = print_drug_qr_label( + drug_name="벤포파워Z", + barcode="8806418067510", + sale_price=3000, + pharmacy_name="청춘약국" + ) + print(result) diff --git a/backend/templates/admin.html b/backend/templates/admin.html index e7b9582..3bc63bf 100644 --- a/backend/templates/admin.html +++ b/backend/templates/admin.html @@ -399,6 +399,8 @@
구매 기반 맞춤 추천 생성 현황 · Clawdbot Gateway
diff --git a/backend/templates/admin_alimtalk.html b/backend/templates/admin_alimtalk.html index 3ed50b9..a272776 100644 --- a/backend/templates/admin_alimtalk.html +++ b/backend/templates/admin_alimtalk.html @@ -299,6 +299,8 @@| 상품명 | +상품코드 | +바코드 | +판매가 | +QR | +
|---|---|---|---|---|
|
+ 🔍
+ 상품명, 바코드, 상품코드로 검색하세요 + |
+ ||||
미리보기 로딩 중...
'; + info.innerHTML = ` + ${escapeHtml(selectedItem.product_name)}미리보기 실패
'; + } + }) + .catch(err => { + preview.innerHTML = '미리보기 오류
'; + }); + } + + function closeQRModal() { + document.getElementById('qrModal').classList.remove('active'); + selectedItem = null; + printQty = 1; + } + + async function confirmPrintQR() { + if (!selectedItem) return; + + const btn = document.getElementById('printBtn'); + const totalQty = printQty; + btn.disabled = true; + + let successCount = 0; + let errorMsg = ''; + + for (let i = 0; i < totalQty; i++) { + btn.textContent = `인쇄 중... (${i + 1}/${totalQty})`; + + try { + const res = await fetch('/api/qr-print', { + method: 'POST', + headers: {'Content-Type': 'application/json'}, + body: JSON.stringify({ + drug_name: selectedItem.product_name, + barcode: selectedItem.barcode || '', + drug_code: selectedItem.drug_code || '', + sale_price: selectedItem.unit_price || 0 + }) + }); + const data = await res.json(); + + if (data.success) { + successCount++; + } else { + errorMsg = data.error || '알 수 없는 오류'; + break; + } + + // 연속 인쇄 시 약간의 딜레이 + if (i < totalQty - 1) { + await new Promise(r => setTimeout(r, 500)); + } + } catch (err) { + errorMsg = err.message; + break; + } + } + + btn.disabled = false; + updateQtyUI(); + + if (successCount === totalQty) { + alert(`✅ QR 라벨 ${totalQty}장 인쇄 완료!`); + closeQRModal(); + } else if (successCount > 0) { + alert(`⚠️ ${successCount}/${totalQty}장 인쇄 완료\n오류: ${errorMsg}`); + } else { + alert(`❌ 인쇄 실패: ${errorMsg}`); + } + } + // 초기 로드 loadSalesData(); + + +