본문 바로가기

Spring boot/Bank App 만들기(deployment)

Bank App 만들기 ( deployment ) - 이체 기능 만들기

화면 확인 하기

 

<%@ page language="java" contentType="text/html; charset=UTF-8" pageEncoding="UTF-8"%>

<!-- header.jsp  -->
<%@ include file="/WEB-INF/view/layout/header.jsp"%>

<!-- start of content.jsp(xxx.jsp)   -->
<div class="col-sm-8">
	<h2>이체 요청(인증)</h2>
	<h5>Bank App에 오신걸 환영합니다</h5>
	<form action="/account/transfer" method="post">
		<div class="form-group">
			<label for="amount">이체 금액:</label> <input type="text" name="amount" class="form-control" placeholder="Enter amount" id="amount" value="1000">
		</div>
		<div class="form-group">
			<label for="wAccountNumber">출금 계좌 번호:</label> <input type="text" name="wAccountNumber" class="form-control" placeholder="출금 계좌번호 입력" id="wAccountNumber" value="1111">
		</div>
		<div class="form-group">
			<label for="password">출금 계좌 비밀 번호:</label> <input type="password" name="password" class="form-control" placeholder="출금 계좌 비밀번호 입력" id="password" value="1234">
		</div>
		<div class="form-group">
			<label for="dAccountNumber">입금(이체) 계좌번호:</label> <input type="text" name="dAccountNumber" class="form-control" placeholder="입금 계좌번호 입력" id="dAccountNumber" value="1111">
		</div>

		<div class="text-right">
			<button type="submit" class="btn btn-primary">이체하기</button>
		</div>
	</form>
</div>
<!-- end of col-sm-8  -->
</div>
</div>
<!-- end of content.jsp(xxx.jsp)   -->

<!-- footer.jsp  -->
<%@ include file="/WEB-INF/view/layout/footer.jsp"%>

 

 

 

 

TransferDTO
package com.tenco.bank.dto;

import lombok.Data;

@Data
public class TransferDTO {
	
	private Long amount; // 거래 금액 
	private String wAccountNumber; // 출금계좌 번호  
	private String dAccountNumber; // 입금계좌 번호 
	private String password; // 출금 계좌 비밀번호   
}

 

 

 

 

AccountController
/**
	 * 계좌 이체 화면 요청 
	 * @return transfer.jsp 
	 */
	@GetMapping("/transfer")
	public String transferPage() {
		// 1. 인증 검사(테스트 시 인증검사 주석 후 화면 확인해 볼 수 있습니다)
		User principal = (User) session.getAttribute(Define.PRINCIPAL); // 다운 캐스팅
		if (principal == null) {
			throw new UnAuthorizedException(Define.ENTER_YOUR_LOGIN, HttpStatus.UNAUTHORIZED);
		}
		return "account/transfer";
	}
	
     
	/**
	 * 계좌 이체 기능 구현 
	 * @param TransferDTO 
	 * @return redirect:/account/list
	 */
	@PostMapping("/transfer")
	public String transferProc(TransferDTO dto) {
		// 1. 인증 검사
		User principal = (User) session.getAttribute(Define.PRINCIPAL);

		// 2. 유효성 검사
		if (dto.getAmount() == null) {
			throw new DataDeliveryException(Define.ENTER_YOUR_BALANCE, HttpStatus.BAD_REQUEST);
		}
		if (dto.getAmount().longValue() <= 0) {
			throw new DataDeliveryException(Define.D_BALANCE_VALUE, HttpStatus.BAD_REQUEST);
		}
		if (dto.getWAccountNumber() == null || dto.getWAccountNumber().isEmpty()) {
			throw new DataDeliveryException("출금하실 계좌번호를 입력해주세요.", HttpStatus.BAD_REQUEST);
		}
		if (dto.getDAccountNumber() == null || dto.getDAccountNumber().isEmpty()) {
			throw new DataDeliveryException("이체하실 계좌번호를 입력해주세요.", HttpStatus.BAD_REQUEST);
		}
		if (dto.getPassword() == null || dto.getPassword().isEmpty()) {
			throw new DataDeliveryException(Define.ENTER_YOUR_PASSWORD, HttpStatus.BAD_REQUEST);
		}

		// 서비스 호출
		accountService.updateAccountTransfer(dto, principal.getId());

		return "redirect:/account/list";
	}

 

 

 

 

AccountService
// 이체 기능 만들기 
// 1. 출금 계좌 존재 여부 확인  -- select (객체 리턴 받은 상태) 
// 2. 입금 계좌 존재 여부 확인  -- select (객체 리턴 받은 상태)  
// 3. 출금 계좌 본인 소유 확인  -- 객체 상태값과 세션 아이디 비교
// 4. 출금 계좌 비밀 번호 확인  -- 객체 상태값과 dto 비밀번호 비교 
// 5. 출금 계좌 잔액 여부 확인  -- 객체 상태값과 dto 거래금액 비교 
// 6. 입금 계좌 객체 상태값 변경 처리 (거래금액 증가) 
// 7. 입금 계좌 -- update 처리  
// 8. 출금 계좌 객체 상태값 변경 처리 (잔액 - 거래금액) 
// 9. 출금 계좌 -- update 처리 
// 10. 거래 내역 등록 처리 -- insert 
// 11. 트랜잭션 처리 - ACID 처리 
public void updateAccountTransfer(TransferDTO dto, Integer principalId) {
	
	// 출금 계좌 정보 조회 
	Account withdrawAccountEntity = accountRepository.findByNumber(dto.getWAccountNumber());
	// 입금 계좌 정보 조회 
	Account depositAccountEntity = accountRepository.findByNumber(dto.getDAccountNumber());

	if (withdrawAccountEntity == null) {
		throw new DataDeliveryException(Define.NOT_EXIST_ACCOUNT, HttpStatus.INTERNAL_SERVER_ERROR);
	}

	if (depositAccountEntity == null) {
		// 하드 코딩된 문자열을 리팩토링 대상입니다. 추후 직접 만들어서 수정해보세요 
		throw new DataDeliveryException("상대방의 계좌 번호가 없습니다.", HttpStatus.INTERNAL_SERVER_ERROR);
	}

	withdrawAccountEntity.checkOwner(principalId);
	withdrawAccountEntity.checkPassword(dto.getPassword());
	withdrawAccountEntity.checkBalance(dto.getAmount());
	withdrawAccountEntity.withdraw(dto.getAmount());
	depositAccountEntity.deposit(dto.getAmount());

	int resultRowCountWithdraw = accountRepository.updateById(withdrawAccountEntity);
	int resultRowCountDeposit = accountRepository.updateById(depositAccountEntity);
	
	if(resultRowCountWithdraw != 1 && resultRowCountDeposit != 1) {
		throw new DataDeliveryException(Define.FAILED_PROCESSING, HttpStatus.INTERNAL_SERVER_ERROR);
	}
	
	// TransferDTO 에 History 객체를 반환하는 메서들 만들어 줄 수 있습니다. 
	// 여기서는 직접 만들도록 하겠습니다. 
	History history = History.builder().amount(dto.getAmount()) // 이체 금액
			.wAccountId(withdrawAccountEntity.getId()) // 출금 계좌
			.dAccountId(depositAccountEntity.getId()) // 입금 계좌
			.wBalance(withdrawAccountEntity.getBalance()) // 출금 계좌 남은 잔액
			.dBalance(depositAccountEntity.getBalance()) // 입금 계좌 남은 잔액
			.build();
	
	int resultRowCountHistory =  historyRepository.insert(history);
	if(resultRowCountHistory != 1) {
		throw new DataDeliveryException(Define.FAILED_PROCESSING, HttpStatus.INTERNAL_SERVER_ERROR);
	}
}
728x90