반응형

 

 

요청할때 필요한 데이터는 연장근무를 찾아올 연도와 월 , 그리고 근무하지않는일수를 파라미터로 받도록 해주었다.

 

OverTimeRequest

@Getter
@Setter
@Builder
public class OverTimeRequest {
    @NotBlank
    @DateTimeFormat(pattern = "yyyy-MM")
    private YearMonth yearMonth;
    @NotNull
    private Integer holidays;
}

 

보통은 리퀘스트로 들어오는 클래스는 직접생성할일은 없기때문에 빌더를 붙이지는 않는데 이후에 추가될 기능때문에 

해당 클래스를 파라미터로 넣어줘야할 일이생겨서 빌더를 붙여주게되었다. 

 

이후에는 리팩토링을해서 request는 컨트롤러로 생성만되도록하고

추가적으로 사용하는메서드는 다른 파라미터를 사용하도록 변경해줘야한다.

 

MemberController

@PostMapping("/overTimeCalc")
public List<OverTimeResponse> getOverTime(@Validated @RequestBody OverTimeRequest overTimeRequest) {
    return service.getOverTime(overTimeRequest);
}

 

기존에 작성되어있던 MemberController에 추가해주었다.

직원의 연장근무정보를 조회하는 기능이기때문에 직원컨트롤러에서 접근하는게 좋겠다는 생각이었다.

 

MemberService

@Transactional
public List<OverTimeResponse> getOverTime(OverTimeRequest request) {
    YearMonth yearMonth = request.getYearMonth();
    Integer holidays = request.getHolidays();

    //근무규정의 일 근무시간을 조회
    CompanyPolicy policy = policyRepository.findByPolicyGubnAndPolicyName("workTime", "dailyWorkLimit")
            .orElseThrow(() -> new IllegalArgumentException("없는 정책입니다."));

    //해당하는 달의 총 평균근무시간을 계산 근무일 * 근무시간
    int standardWorkHour = calcStandardWorkDays(yearMonth, holidays) * Integer.parseInt(policy.getPolicyContent());

    List<Employee> employeeList = repository.findAll();
    OverTimeResponseList overTimeResponseList = new OverTimeResponseList(employeeList, yearMonth, standardWorkHour);
    return overTimeResponseList.getOverTimeResponseList();
}

 

1. 근무규정 테이블에서 표준근로시간을 조회

2. 해당달의 평균근무시간을 계산 (해당월의 총일수 - 휴무일) * 일 표준근로시간 = 월 근무시간

3. 직원정보를 모두 조회

4. OverTimeResponseList (overTimeResponse를 리스트로가진 래퍼클래스) 생성

5. List<OverTimeResponse>를 리턴

 

OverTimeResponseList (래퍼클래스)

@Getter
@AllArgsConstructor
public class OverTimeResponseList {
    private List<OverTimeResponse> overTimeResponseList;

    public OverTimeResponseList(List<Employee> employeeList,YearMonth yearMonth,Integer standardWorkHour) {
        this.overTimeResponseList = employeeList.stream().map(result -> {
            Integer employeeWorkHour = new EmployeeCommuteList(result).filterByYearMonth(yearMonth).calcEmployeeWorkHour();
            return OverTimeResponse.builder()
                    .id(Math.toIntExact(result.getId()))
                    .name(result.getName())
                    .overtimeMinutes(getOverTime(employeeWorkHour, standardWorkHour))
                    .build();
        }).collect(Collectors.toList());
    }

    private Integer getOverTime(Integer workTime, Integer standardWorkHour) {
        Integer standardWorkMinute = standardWorkHour * 60;
        if (workTime > standardWorkMinute) {
            return workTime - standardWorkMinute;
        } else {
            return 0;
        }
    }
}

 

직원의 근무시간정보는 직원이가지고있는 commuteHistory를

일급컬렉션인 EmployeeCommuteList에 넣고 거기서 연월로 필터링해준후

근무시간을 더해주는 메서드를 구현해서 구해주었다. 

id , name ,근무시간 정보를 overTimeResponse에 넣어준후 List로 반환 해주면 

OverTimeResponseList의 필드인 overTimeResponseList에 값이 세팅된다.

 

http://localhost:8080/member/overTimeCalc?yearMonth=2024-03&holidays=31

 

조회 결과

근무 일자를 0일로 만들기위해서 휴무일을 31일을 넣어주었다.

그러면 표준근로시간은 0시간이되고 직원의 근무시간이 나오게된다.

현재 가지고있는데이터에서는 1번아이디 직원외에는

1분을넘는 근무시간을 가진 직원이없기때문에 나머지는 0으로 잘나오고있는것같다.

반응형

+ Recent posts