feat: 입고장 관리 기능 추가
✨ 새로운 기능 - 입고장 목록 조회 (날짜/공급업체 필터링) - 입고장 상세 보기 (모달 팝업) - 입고장 삭제 (재고 미사용시만 가능) - 입고장 라인별 수정 API 📊 화면 구성 1. 입고장 목록 테이블 - 입고일, 공급업체, 품목수, 총수량, 총금액 - 상세보기, 삭제 버튼 2. 입고장 필터링 - 시작일/종료일 선택 - 공급업체별 조회 🔧 백엔드 API - GET /api/purchase-receipts - 입고장 목록 - GET /api/purchase-receipts/<id> - 입고장 상세 - PUT /api/purchase-receipts/<id>/lines/<line_id> - 라인 수정 - DELETE /api/purchase-receipts/<id> - 입고장 삭제 🛡️ 안전장치 - 이미 조제에 사용된 재고는 수정/삭제 불가 - 재고 원장에 모든 변동사항 기록 🤖 Generated with Claude Code Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
parent
974000acaa
commit
40be340a63
270
app.py
270
app.py
@ -380,6 +380,276 @@ def upload_purchase_excel():
|
||||
except Exception as e:
|
||||
return jsonify({'success': False, 'error': str(e)}), 500
|
||||
|
||||
# ==================== 입고장 조회/관리 API ====================
|
||||
|
||||
@app.route('/api/purchase-receipts', methods=['GET'])
|
||||
def get_purchase_receipts():
|
||||
"""입고장 목록 조회"""
|
||||
try:
|
||||
with get_db() as conn:
|
||||
cursor = conn.cursor()
|
||||
|
||||
# 날짜 범위 파라미터
|
||||
start_date = request.args.get('start_date')
|
||||
end_date = request.args.get('end_date')
|
||||
supplier_id = request.args.get('supplier_id')
|
||||
|
||||
query = """
|
||||
SELECT
|
||||
pr.receipt_id,
|
||||
pr.receipt_date,
|
||||
pr.receipt_no,
|
||||
pr.total_amount,
|
||||
pr.source_file,
|
||||
pr.created_at,
|
||||
s.name as supplier_name,
|
||||
s.supplier_id,
|
||||
COUNT(prl.line_id) as line_count,
|
||||
SUM(prl.quantity_g) as total_quantity
|
||||
FROM purchase_receipts pr
|
||||
JOIN suppliers s ON pr.supplier_id = s.supplier_id
|
||||
LEFT JOIN purchase_receipt_lines prl ON pr.receipt_id = prl.receipt_id
|
||||
WHERE 1=1
|
||||
"""
|
||||
params = []
|
||||
|
||||
if start_date:
|
||||
query += " AND pr.receipt_date >= ?"
|
||||
params.append(start_date)
|
||||
if end_date:
|
||||
query += " AND pr.receipt_date <= ?"
|
||||
params.append(end_date)
|
||||
if supplier_id:
|
||||
query += " AND pr.supplier_id = ?"
|
||||
params.append(supplier_id)
|
||||
|
||||
query += " GROUP BY pr.receipt_id ORDER BY pr.receipt_date DESC, pr.created_at DESC"
|
||||
|
||||
cursor.execute(query, params)
|
||||
receipts = []
|
||||
for row in cursor.fetchall():
|
||||
receipt = dict(row)
|
||||
# 타입 변환 (bytes 문제 해결)
|
||||
for key, value in receipt.items():
|
||||
if isinstance(value, bytes):
|
||||
# bytes를 float로 변환 시도
|
||||
try:
|
||||
import struct
|
||||
receipt[key] = struct.unpack('d', value)[0]
|
||||
except:
|
||||
receipt[key] = float(0)
|
||||
elif key in ['receipt_date', 'created_at'] and value is not None:
|
||||
receipt[key] = str(value)
|
||||
|
||||
# total_amount와 total_quantity 반올림
|
||||
if 'total_amount' in receipt and receipt['total_amount'] is not None:
|
||||
receipt['total_amount'] = round(float(receipt['total_amount']), 2)
|
||||
if 'total_quantity' in receipt and receipt['total_quantity'] is not None:
|
||||
receipt['total_quantity'] = round(float(receipt['total_quantity']), 2)
|
||||
|
||||
receipts.append(receipt)
|
||||
|
||||
return jsonify({'success': True, 'data': receipts})
|
||||
except Exception as e:
|
||||
return jsonify({'success': False, 'error': str(e)}), 500
|
||||
|
||||
@app.route('/api/purchase-receipts/<int:receipt_id>', methods=['GET'])
|
||||
def get_purchase_receipt_detail(receipt_id):
|
||||
"""입고장 상세 조회"""
|
||||
try:
|
||||
with get_db() as conn:
|
||||
cursor = conn.cursor()
|
||||
|
||||
# 입고장 헤더 조회
|
||||
cursor.execute("""
|
||||
SELECT
|
||||
pr.*,
|
||||
s.name as supplier_name,
|
||||
s.business_no as supplier_business_no,
|
||||
s.phone as supplier_phone
|
||||
FROM purchase_receipts pr
|
||||
JOIN suppliers s ON pr.supplier_id = s.supplier_id
|
||||
WHERE pr.receipt_id = ?
|
||||
""", (receipt_id,))
|
||||
|
||||
receipt = cursor.fetchone()
|
||||
if not receipt:
|
||||
return jsonify({'success': False, 'error': '입고장을 찾을 수 없습니다'}), 404
|
||||
|
||||
receipt_data = dict(receipt)
|
||||
|
||||
# 입고장 상세 라인 조회
|
||||
cursor.execute("""
|
||||
SELECT
|
||||
prl.*,
|
||||
h.herb_name,
|
||||
h.insurance_code,
|
||||
il.lot_id,
|
||||
il.quantity_onhand as current_stock
|
||||
FROM purchase_receipt_lines prl
|
||||
JOIN herb_items h ON prl.herb_item_id = h.herb_item_id
|
||||
LEFT JOIN inventory_lots il ON prl.line_id = il.receipt_line_id
|
||||
WHERE prl.receipt_id = ?
|
||||
ORDER BY prl.line_id
|
||||
""", (receipt_id,))
|
||||
|
||||
lines = [dict(row) for row in cursor.fetchall()]
|
||||
receipt_data['lines'] = lines
|
||||
|
||||
return jsonify({'success': True, 'data': receipt_data})
|
||||
except Exception as e:
|
||||
return jsonify({'success': False, 'error': str(e)}), 500
|
||||
|
||||
@app.route('/api/purchase-receipts/<int:receipt_id>/lines/<int:line_id>', methods=['PUT'])
|
||||
def update_purchase_receipt_line(receipt_id, line_id):
|
||||
"""입고장 라인 수정"""
|
||||
try:
|
||||
data = request.json
|
||||
|
||||
with get_db() as conn:
|
||||
cursor = conn.cursor()
|
||||
|
||||
# 기존 라인 정보 조회
|
||||
cursor.execute("""
|
||||
SELECT prl.*, il.lot_id, il.quantity_onhand, il.quantity_received
|
||||
FROM purchase_receipt_lines prl
|
||||
LEFT JOIN inventory_lots il ON prl.line_id = il.receipt_line_id
|
||||
WHERE prl.line_id = ? AND prl.receipt_id = ?
|
||||
""", (line_id, receipt_id))
|
||||
|
||||
old_line = cursor.fetchone()
|
||||
if not old_line:
|
||||
return jsonify({'success': False, 'error': '입고 라인을 찾을 수 없습니다'}), 404
|
||||
|
||||
# 재고 사용 여부 확인
|
||||
if old_line['quantity_onhand'] != old_line['quantity_received']:
|
||||
used_qty = old_line['quantity_received'] - old_line['quantity_onhand']
|
||||
return jsonify({
|
||||
'success': False,
|
||||
'error': f'이미 {used_qty}g이 사용되어 수정할 수 없습니다'
|
||||
}), 400
|
||||
|
||||
# 수정 가능한 필드만 업데이트
|
||||
update_fields = []
|
||||
params = []
|
||||
|
||||
if 'quantity_g' in data:
|
||||
update_fields.append('quantity_g = ?')
|
||||
params.append(data['quantity_g'])
|
||||
|
||||
if 'unit_price_per_g' in data:
|
||||
update_fields.append('unit_price_per_g = ?')
|
||||
params.append(data['unit_price_per_g'])
|
||||
|
||||
if 'line_total' in data:
|
||||
update_fields.append('line_total = ?')
|
||||
params.append(data['line_total'])
|
||||
elif 'quantity_g' in data and 'unit_price_per_g' in data:
|
||||
# 자동 계산
|
||||
line_total = float(data['quantity_g']) * float(data['unit_price_per_g'])
|
||||
update_fields.append('line_total = ?')
|
||||
params.append(line_total)
|
||||
|
||||
if 'origin_country' in data:
|
||||
update_fields.append('origin_country = ?')
|
||||
params.append(data['origin_country'])
|
||||
|
||||
if not update_fields:
|
||||
return jsonify({'success': False, 'error': '수정할 내용이 없습니다'}), 400
|
||||
|
||||
# 입고장 라인 업데이트
|
||||
params.append(line_id)
|
||||
cursor.execute(f"""
|
||||
UPDATE purchase_receipt_lines
|
||||
SET {', '.join(update_fields)}
|
||||
WHERE line_id = ?
|
||||
""", params)
|
||||
|
||||
# 재고 로트 업데이트 (수량 변경시)
|
||||
if 'quantity_g' in data and old_line['lot_id']:
|
||||
cursor.execute("""
|
||||
UPDATE inventory_lots
|
||||
SET quantity_received = ?, quantity_onhand = ?
|
||||
WHERE lot_id = ?
|
||||
""", (data['quantity_g'], data['quantity_g'], old_line['lot_id']))
|
||||
|
||||
# 재고 원장에 조정 기록
|
||||
cursor.execute("""
|
||||
INSERT INTO stock_ledger
|
||||
(event_type, herb_item_id, lot_id, quantity_delta, notes, reference_table, reference_id)
|
||||
VALUES ('ADJUST',
|
||||
(SELECT herb_item_id FROM purchase_receipt_lines WHERE line_id = ?),
|
||||
?, ?, '입고장 수정', 'purchase_receipt_lines', ?)
|
||||
""", (line_id, old_line['lot_id'],
|
||||
float(data['quantity_g']) - float(old_line['quantity_g']), line_id))
|
||||
|
||||
# 입고장 헤더의 총액 업데이트
|
||||
cursor.execute("""
|
||||
UPDATE purchase_receipts
|
||||
SET total_amount = (
|
||||
SELECT SUM(line_total)
|
||||
FROM purchase_receipt_lines
|
||||
WHERE receipt_id = ?
|
||||
),
|
||||
updated_at = CURRENT_TIMESTAMP
|
||||
WHERE receipt_id = ?
|
||||
""", (receipt_id, receipt_id))
|
||||
|
||||
return jsonify({'success': True, 'message': '입고 라인이 수정되었습니다'})
|
||||
|
||||
except Exception as e:
|
||||
return jsonify({'success': False, 'error': str(e)}), 500
|
||||
|
||||
@app.route('/api/purchase-receipts/<int:receipt_id>', methods=['DELETE'])
|
||||
def delete_purchase_receipt(receipt_id):
|
||||
"""입고장 삭제 (재고 사용 확인 후)"""
|
||||
try:
|
||||
with get_db() as conn:
|
||||
cursor = conn.cursor()
|
||||
|
||||
# 재고 사용 여부 확인
|
||||
cursor.execute("""
|
||||
SELECT
|
||||
COUNT(*) as used_count,
|
||||
SUM(il.quantity_received - il.quantity_onhand) as used_quantity
|
||||
FROM purchase_receipt_lines prl
|
||||
JOIN inventory_lots il ON prl.line_id = il.receipt_line_id
|
||||
WHERE prl.receipt_id = ?
|
||||
AND il.quantity_onhand < il.quantity_received
|
||||
""", (receipt_id,))
|
||||
|
||||
usage = cursor.fetchone()
|
||||
if usage['used_count'] > 0:
|
||||
return jsonify({
|
||||
'success': False,
|
||||
'error': f'{usage["used_count"]}개 품목에서 {usage["used_quantity"]}g이 이미 사용되어 삭제할 수 없습니다'
|
||||
}), 400
|
||||
|
||||
# 재고 로트 삭제
|
||||
cursor.execute("""
|
||||
DELETE FROM inventory_lots
|
||||
WHERE receipt_line_id IN (
|
||||
SELECT line_id FROM purchase_receipt_lines WHERE receipt_id = ?
|
||||
)
|
||||
""", (receipt_id,))
|
||||
|
||||
# 재고 원장 기록
|
||||
cursor.execute("""
|
||||
DELETE FROM stock_ledger
|
||||
WHERE reference_table = 'purchase_receipts' AND reference_id = ?
|
||||
""", (receipt_id,))
|
||||
|
||||
# 입고장 라인 삭제
|
||||
cursor.execute("DELETE FROM purchase_receipt_lines WHERE receipt_id = ?", (receipt_id,))
|
||||
|
||||
# 입고장 헤더 삭제
|
||||
cursor.execute("DELETE FROM purchase_receipts WHERE receipt_id = ?", (receipt_id,))
|
||||
|
||||
return jsonify({'success': True, 'message': '입고장이 삭제되었습니다'})
|
||||
|
||||
except Exception as e:
|
||||
return jsonify({'success': False, 'error': str(e)}), 500
|
||||
|
||||
# ==================== 조제 관리 API ====================
|
||||
|
||||
@app.route('/api/compounds', methods=['POST'])
|
||||
|
||||
BIN
sample/image.png
Normal file
BIN
sample/image.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 9.2 KiB |
164
static/app.js
164
static/app.js
@ -30,6 +30,9 @@ $(document).ready(function() {
|
||||
case 'patients':
|
||||
loadPatients();
|
||||
break;
|
||||
case 'purchase':
|
||||
loadPurchaseReceipts();
|
||||
break;
|
||||
case 'formulas':
|
||||
loadFormulas();
|
||||
break;
|
||||
@ -490,6 +493,151 @@ $(document).ready(function() {
|
||||
});
|
||||
}
|
||||
|
||||
// 입고장 목록 로드
|
||||
function loadPurchaseReceipts() {
|
||||
const startDate = $('#purchaseStartDate').val();
|
||||
const endDate = $('#purchaseEndDate').val();
|
||||
const supplierId = $('#purchaseSupplier').val();
|
||||
|
||||
let url = '/api/purchase-receipts?';
|
||||
if (startDate) url += `start_date=${startDate}&`;
|
||||
if (endDate) url += `end_date=${endDate}&`;
|
||||
if (supplierId) url += `supplier_id=${supplierId}`;
|
||||
|
||||
$.get(url, function(response) {
|
||||
if (response.success) {
|
||||
const tbody = $('#purchaseReceiptsList');
|
||||
tbody.empty();
|
||||
|
||||
if (response.data.length === 0) {
|
||||
tbody.append('<tr><td colspan="7" class="text-center">입고장이 없습니다.</td></tr>');
|
||||
return;
|
||||
}
|
||||
|
||||
response.data.forEach(receipt => {
|
||||
tbody.append(`
|
||||
<tr>
|
||||
<td>${receipt.receipt_date}</td>
|
||||
<td>${receipt.supplier_name}</td>
|
||||
<td>${receipt.line_count}개</td>
|
||||
<td>${receipt.total_quantity ? receipt.total_quantity.toLocaleString() + 'g' : '-'}</td>
|
||||
<td>${receipt.total_amount ? formatCurrency(receipt.total_amount) : '-'}</td>
|
||||
<td>${receipt.source_file || '-'}</td>
|
||||
<td>
|
||||
<button class="btn btn-sm btn-outline-info view-receipt" data-id="${receipt.receipt_id}">
|
||||
<i class="bi bi-eye"></i> 상세
|
||||
</button>
|
||||
<button class="btn btn-sm btn-outline-danger delete-receipt" data-id="${receipt.receipt_id}">
|
||||
<i class="bi bi-trash"></i>
|
||||
</button>
|
||||
</td>
|
||||
</tr>
|
||||
`);
|
||||
});
|
||||
|
||||
// 이벤트 바인딩
|
||||
$('.view-receipt').on('click', function() {
|
||||
const receiptId = $(this).data('id');
|
||||
viewReceiptDetail(receiptId);
|
||||
});
|
||||
|
||||
$('.delete-receipt').on('click', function() {
|
||||
const receiptId = $(this).data('id');
|
||||
if (confirm('정말 이 입고장을 삭제하시겠습니까? 사용되지 않은 재고만 삭제 가능합니다.')) {
|
||||
deleteReceipt(receiptId);
|
||||
}
|
||||
});
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// 입고장 상세 보기
|
||||
function viewReceiptDetail(receiptId) {
|
||||
$.get(`/api/purchase-receipts/${receiptId}`, function(response) {
|
||||
if (response.success) {
|
||||
const data = response.data;
|
||||
let linesHtml = '';
|
||||
|
||||
data.lines.forEach(line => {
|
||||
linesHtml += `
|
||||
<tr>
|
||||
<td>${line.herb_name}</td>
|
||||
<td>${line.insurance_code || '-'}</td>
|
||||
<td>${line.origin_country || '-'}</td>
|
||||
<td>${line.quantity_g}g</td>
|
||||
<td>${formatCurrency(line.unit_price_per_g)}</td>
|
||||
<td>${formatCurrency(line.line_total)}</td>
|
||||
<td>${line.current_stock}g</td>
|
||||
</tr>
|
||||
`;
|
||||
});
|
||||
|
||||
const modalHtml = `
|
||||
<div class="modal fade" id="receiptDetailModal" tabindex="-1">
|
||||
<div class="modal-dialog modal-lg">
|
||||
<div class="modal-content">
|
||||
<div class="modal-header">
|
||||
<h5 class="modal-title">입고장 상세</h5>
|
||||
<button type="button" class="btn-close" data-bs-dismiss="modal"></button>
|
||||
</div>
|
||||
<div class="modal-body">
|
||||
<div class="mb-3">
|
||||
<strong>입고일:</strong> ${data.receipt_date}<br>
|
||||
<strong>공급업체:</strong> ${data.supplier_name}<br>
|
||||
<strong>총 금액:</strong> ${formatCurrency(data.total_amount)}
|
||||
</div>
|
||||
<table class="table table-sm">
|
||||
<thead>
|
||||
<tr>
|
||||
<th>약재명</th>
|
||||
<th>보험코드</th>
|
||||
<th>원산지</th>
|
||||
<th>수량</th>
|
||||
<th>단가</th>
|
||||
<th>금액</th>
|
||||
<th>현재고</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
${linesHtml}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
`;
|
||||
|
||||
// 기존 모달 제거
|
||||
$('#receiptDetailModal').remove();
|
||||
$('body').append(modalHtml);
|
||||
$('#receiptDetailModal').modal('show');
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// 입고장 삭제
|
||||
function deleteReceipt(receiptId) {
|
||||
$.ajax({
|
||||
url: `/api/purchase-receipts/${receiptId}`,
|
||||
method: 'DELETE',
|
||||
success: function(response) {
|
||||
if (response.success) {
|
||||
alert(response.message);
|
||||
loadPurchaseReceipts();
|
||||
}
|
||||
},
|
||||
error: function(xhr) {
|
||||
alert('오류: ' + xhr.responseJSON.error);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// 입고장 조회 버튼
|
||||
$('#searchPurchaseBtn').on('click', function() {
|
||||
loadPurchaseReceipts();
|
||||
});
|
||||
|
||||
// 입고장 업로드
|
||||
$('#purchaseUploadForm').on('submit', function(e) {
|
||||
e.preventDefault();
|
||||
@ -514,12 +662,28 @@ $(document).ready(function() {
|
||||
contentType: false,
|
||||
success: function(response) {
|
||||
if (response.success) {
|
||||
let summaryHtml = '';
|
||||
if (response.summary) {
|
||||
summaryHtml = `<br>
|
||||
<small>
|
||||
형식: ${response.summary.format}<br>
|
||||
처리: ${response.summary.processed_rows}개 라인<br>
|
||||
품목: ${response.summary.total_items}종<br>
|
||||
수량: ${response.summary.total_quantity}<br>
|
||||
금액: ${response.summary.total_amount}
|
||||
</small>`;
|
||||
}
|
||||
|
||||
$('#uploadResult').html(
|
||||
`<div class="alert alert-success">
|
||||
<i class="bi bi-check-circle"></i> ${response.message}
|
||||
${summaryHtml}
|
||||
</div>`
|
||||
);
|
||||
$('#purchaseUploadForm')[0].reset();
|
||||
|
||||
// 입고장 목록 새로고침
|
||||
loadPurchaseReceipts();
|
||||
}
|
||||
},
|
||||
error: function(xhr) {
|
||||
|
||||
@ -222,15 +222,66 @@
|
||||
<div class="d-flex justify-content-between align-items-center mb-4">
|
||||
<h3>입고 관리</h3>
|
||||
</div>
|
||||
<div class="card">
|
||||
|
||||
<!-- 입고장 목록 -->
|
||||
<div class="card mb-4">
|
||||
<div class="card-header">
|
||||
<h5 class="mb-0">입고장 목록</h5>
|
||||
</div>
|
||||
<div class="card-body">
|
||||
<div class="row mb-3">
|
||||
<div class="col-md-3">
|
||||
<label class="form-label">시작일</label>
|
||||
<input type="date" class="form-control" id="purchaseStartDate">
|
||||
</div>
|
||||
<div class="col-md-3">
|
||||
<label class="form-label">종료일</label>
|
||||
<input type="date" class="form-control" id="purchaseEndDate">
|
||||
</div>
|
||||
<div class="col-md-3">
|
||||
<label class="form-label">공급업체</label>
|
||||
<select class="form-control" id="purchaseSupplier">
|
||||
<option value="">전체</option>
|
||||
</select>
|
||||
</div>
|
||||
<div class="col-md-3">
|
||||
<label class="form-label"> </label>
|
||||
<button class="btn btn-primary w-100" id="searchPurchaseBtn">
|
||||
<i class="bi bi-search"></i> 조회
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
<table class="table table-hover">
|
||||
<thead>
|
||||
<tr>
|
||||
<th>입고일</th>
|
||||
<th>공급업체</th>
|
||||
<th>품목 수</th>
|
||||
<th>총 수량</th>
|
||||
<th>총 금액</th>
|
||||
<th>파일명</th>
|
||||
<th>작업</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody id="purchaseReceiptsList">
|
||||
<!-- Dynamic content -->
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Excel 업로드 -->
|
||||
<div class="card">
|
||||
<div class="card-header">
|
||||
<h5 class="mb-0">새 입고 등록 (Excel 업로드)</h5>
|
||||
</div>
|
||||
<div class="card-body">
|
||||
<h5>Excel 파일 업로드</h5>
|
||||
<form id="purchaseUploadForm" enctype="multipart/form-data">
|
||||
<div class="mb-3">
|
||||
<label for="purchaseFile" class="form-label">입고 Excel 파일 선택</label>
|
||||
<input type="file" class="form-control" id="purchaseFile" accept=".xlsx,.xls" required>
|
||||
<div class="form-text">
|
||||
양식: 제품코드, 업체명, 약재명, 구입일자, 구입량, 구입액, 원산지
|
||||
지원 형식: 한의사랑, 한의정보 (자동 감지)
|
||||
</div>
|
||||
</div>
|
||||
<button type="submit" class="btn btn-primary">
|
||||
|
||||
46
test_db.py
Normal file
46
test_db.py
Normal file
@ -0,0 +1,46 @@
|
||||
import sqlite3
|
||||
import json
|
||||
|
||||
conn = sqlite3.connect('database/kdrug.db')
|
||||
conn.row_factory = sqlite3.Row
|
||||
cursor = conn.cursor()
|
||||
|
||||
cursor.execute("""
|
||||
SELECT
|
||||
pr.receipt_id,
|
||||
pr.receipt_date,
|
||||
pr.receipt_no,
|
||||
pr.total_amount,
|
||||
pr.source_file,
|
||||
pr.created_at,
|
||||
s.name as supplier_name,
|
||||
s.supplier_id,
|
||||
COUNT(prl.line_id) as line_count,
|
||||
SUM(prl.quantity_g) as total_quantity
|
||||
FROM purchase_receipts pr
|
||||
JOIN suppliers s ON pr.supplier_id = s.supplier_id
|
||||
LEFT JOIN purchase_receipt_lines prl ON pr.receipt_id = prl.receipt_id
|
||||
GROUP BY pr.receipt_id
|
||||
LIMIT 1
|
||||
""")
|
||||
|
||||
row = cursor.fetchone()
|
||||
if row:
|
||||
print("Row keys:", row.keys())
|
||||
receipt = dict(row)
|
||||
for key, value in receipt.items():
|
||||
print(f"{key}: {value} (type: {type(value).__name__})")
|
||||
|
||||
# 타입 변환 시도
|
||||
if isinstance(receipt.get('receipt_date'), bytes):
|
||||
receipt['receipt_date'] = receipt['receipt_date'].decode('utf-8')
|
||||
elif receipt.get('receipt_date'):
|
||||
receipt['receipt_date'] = str(receipt['receipt_date'])
|
||||
|
||||
if isinstance(receipt.get('created_at'), bytes):
|
||||
receipt['created_at'] = receipt['created_at'].decode('utf-8')
|
||||
elif receipt.get('created_at'):
|
||||
receipt['created_at'] = str(receipt['created_at'])
|
||||
|
||||
print("\nAfter conversion:")
|
||||
print(json.dumps(receipt, indent=2))
|
||||
BIN
uploads/20260215_081324_xlsx
Normal file
BIN
uploads/20260215_081324_xlsx
Normal file
Binary file not shown.
BIN
uploads/20260215_081332_xlsx
Normal file
BIN
uploads/20260215_081332_xlsx
Normal file
Binary file not shown.
Loading…
Reference in New Issue
Block a user