main #8

Closed
student-18211 wants to merge 22 commits from student-18211/NTO-2025-Backend-TeamTask:main into main
18 changed files with 458 additions and 33 deletions
Showing only changes of commit af09df8047 - Show all commits

View File

@@ -1,4 +1,8 @@
package com.example.nto; package com.example.nto;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
@@ -6,7 +10,16 @@ package com.example.nto;
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
@SpringBootApplication
public class App { public class App {
public static void main(String[] args) { public static void main(String[] args) {
SpringApplication.run(App.class , args);
}
@RestController
public static class HomeController {
@GetMapping("/")
public String home() {
return "Сервер работает!";
}
} }
} }

View File

@@ -1,10 +1,121 @@
package com.example.nto.controller; package com.example.nto.controller;
import com.example.nto.entity.Booking;
import com.example.nto.entity.Employee;
import com.example.nto.entity.Place;
import com.example.nto.excepation.EmployeeNotFoundException;
import com.example.nto.repository.BookingRepository;
import com.example.nto.repository.PlaceRepository;
import com.example.nto.service.BookingService;
import com.example.nto.service.EmployeeService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.format.annotation.DateTimeFormat;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
import java.time.LocalDate;
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
* ================================= * =================================
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
@RestController
@RequestMapping("/api")
public class BookingController { public class BookingController {
@Autowired
private BookingService bookingService;
@Autowired
private PlaceRepository placeRepository;
@Autowired
private BookingRepository bookingRepository;
@Autowired
private EmployeeService employeeService;
@GetMapping("/{code}/booking")
public ResponseEntity<?> getAvailableBookings(@PathVariable String code) {
try {
Map<String, Object> response = bookingService.findAvailableBookings(code);
return ResponseEntity.ok(response);
} catch (IllegalArgumentException e) {
return ResponseEntity.status(HttpStatus.BAD_REQUEST).body(e.getMessage());
} catch (EmployeeNotFoundException e) {
return ResponseEntity.status(HttpStatus.UNAUTHORIZED).body(e.getMessage());
} catch (Exception e) {
return ResponseEntity.status(HttpStatus.INTERNAL_SERVER_ERROR).body("Unexpected error");
}
}
@PostMapping("/{code}/book")
public ResponseEntity<?> createBooking(
@PathVariable String code,
@RequestParam Long placeId,
@RequestParam String date
) {
try {
// Проверка обязательных параметров
if (placeId == null || date == null || date.isEmpty()) {
return ResponseEntity.status(HttpStatus.BAD_REQUEST)
.body("Place ID and date must be provided");
}
Employee employee = employeeService.getEmployeeWithBookings(code);
if (employee == null) {
return ResponseEntity.status(HttpStatus.UNAUTHORIZED)
.body("Employee not found");
}
// Получаем место
Place place = placeRepository.findById(placeId).orElse(null);
if (place == null) {
return ResponseEntity.status(HttpStatus.BAD_REQUEST)
.body("Place not found");
}
// Парсим дату
LocalDate bookingDate;
try {
bookingDate = LocalDate.parse(date);
} catch (Exception ex) {
return ResponseEntity.status(HttpStatus.BAD_REQUEST)
.body("Invalid date format. Use yyyy-MM-dd");
}
// Проверяем, свободно ли место на эту дату
boolean exists = bookingRepository.findByDateBetween(bookingDate, bookingDate)
.stream()
.anyMatch(b -> b.getPlace().getId() == placeId);
if (exists) {
return ResponseEntity.status(HttpStatus.CONFLICT)
.body("Place already booked for this date");
}
Booking booking = new Booking();
booking.setEmployee((Map<String, Object>) employee);
booking.setPlace(place);
booking.setDate(bookingDate);
bookingRepository.save(booking);
// Формируем ответ
Map<String, Object> response = new LinkedHashMap<>();
response.put("id", booking.getId());
response.put("date", booking.getDate());
response.put("placeId", place.getId());
response.put("employeeId", employee.getId());
return ResponseEntity.status(HttpStatus.CREATED).body(response);
} catch (java.lang.IllegalArgumentException e) {
return ResponseEntity.status(HttpStatus.BAD_REQUEST).body(e.getMessage());
} catch (Exception e) {
return ResponseEntity.status(HttpStatus.INTERNAL_SERVER_ERROR).body("Unexpected error");
}
}
} }

View File

@@ -1,10 +1,58 @@
package com.example.nto.controller; package com.example.nto.controller;
import com.example.nto.entity.Booking;
import com.example.nto.entity.Employee;
import com.example.nto.excepation.EmployeeNotFoundException;
import com.example.nto.repository.BookingRepository;
import com.example.nto.repository.EmployeeRepository;
import com.example.nto.service.EmployeeService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
* ================================= * =================================
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
@RestController
@RequestMapping("/api")
public class EmployeeController { public class EmployeeController {
@Autowired
private EmployeeService employeeService;
@GetMapping("/{code}/auth")
public ResponseEntity<Void> checkAuth(
@PathVariable String code,
@RequestHeader(value = "Authorization", required = false) String authHeader) {
if (authHeader == null || !authHeader.equals("Bearer valid-token")) {
return ResponseEntity.status(HttpStatus.UNAUTHORIZED).build();
}
try {
employeeService. getEmployeeWithBookings(code);
return ResponseEntity.ok().build();
} catch (IllegalArgumentException e) {
return ResponseEntity.status(HttpStatus.BAD_REQUEST).build();
} catch (EmployeeNotFoundException e) {
return ResponseEntity.status(HttpStatus.NOT_FOUND).build();
}
}
@GetMapping("/{code}/info")
public ResponseEntity<?> getEmployeeInfo(@PathVariable String code) {
try {
Employee response = employeeService.getEmployeeWithBookings(code);
return ResponseEntity.ok(response);
} catch (IllegalArgumentException e) {
return ResponseEntity.status(400).body(e.getMessage());
} catch (EmployeeNotFoundException e) {
return ResponseEntity.status(404).body(e.getMessage());
}
}
} }

View File

@@ -0,0 +1,27 @@
package com.example.nto.controller;
import lombok.AllArgsConstructor;
import lombok.Builder;
import lombok.Data;
import lombok.NoArgsConstructor;
import java.util.Map;
@Data
@Builder
@NoArgsConstructor
@AllArgsConstructor
public class EmployeeFullInfoResponseDto {
private String name;
private String photoUrl;
private Map<String, BookingInfo> booking;
@Data
@Builder
@NoArgsConstructor
@AllArgsConstructor
public static class BookingInfo {
private Long id;
private String place;
}
}

View File

@@ -1,14 +1,13 @@
package com.example.nto.entity; package com.example.nto.entity;
import jakarta.persistence.FetchType; import jakarta.persistence.*;
import jakarta.persistence.JoinColumn;
import jakarta.persistence.ManyToOne;
import lombok.AllArgsConstructor; import lombok.AllArgsConstructor;
import lombok.Builder; import lombok.Builder;
import lombok.Data; import lombok.Data;
import lombok.NoArgsConstructor; import lombok.NoArgsConstructor;
import java.time.LocalDate; import java.time.LocalDate;
import java.util.Map;
/** /**
@@ -21,15 +20,45 @@ import java.time.LocalDate;
@Builder @Builder
@NoArgsConstructor @NoArgsConstructor
@AllArgsConstructor @AllArgsConstructor
@Entity
@Table(name="booking")
public class Booking { public class Booking {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private long id; private long id;
private LocalDate date; private LocalDate date;
@ManyToOne(targetEntity = Place.class, fetch = FetchType.LAZY) @ManyToOne(targetEntity = Place.class, fetch = FetchType.LAZY)
@JoinColumn(name = "place_id") @JoinColumn(name = "place_id")
private Place place; private Place place;
@ManyToOne(fetch = FetchType.LAZY)
@JoinColumn(name = "employee_id")
private Employee employee; private Employee employee;
public Place getPlace() {
return place;
}
public LocalDate getDate() {
return date;
}
public Object getId() {
return id;
}
public Employee getEmployee() {
return employee;
}
public void setDate(LocalDate date) {
this.date = date;
}
public void setPlace(Place place) {
this.place = place;
}
public void setEmployee(Map<String, Object> employee) {
this.employee = (Employee) employee;
}
} }

View File

@@ -1,11 +1,11 @@
package com.example.nto.entity; package com.example.nto.entity;
import com.fasterxml.jackson.annotation.JsonIgnore;
import jakarta.persistence.*; import jakarta.persistence.*;
import lombok.AllArgsConstructor; import lombok.AllArgsConstructor;
import lombok.Builder; import lombok.Builder;
import lombok.Data; import lombok.Data;
import lombok.NoArgsConstructor; import lombok.NoArgsConstructor;
import java.util.List; import java.util.List;
@@ -19,10 +19,13 @@ import java.util.List;
@Builder @Builder
@NoArgsConstructor @NoArgsConstructor
@AllArgsConstructor @AllArgsConstructor
@Entity
@Table(name="employee")
public class Employee { public class Employee {
@Id
private long id; private long id;
private String name; private String name;
private String code; private String code;
@@ -30,5 +33,26 @@ public class Employee {
private String photoUrl; private String photoUrl;
@OneToMany(mappedBy = "employee", cascade = CascadeType.ALL, fetch = FetchType.LAZY) @OneToMany(mappedBy = "employee", cascade = CascadeType.ALL, fetch = FetchType.LAZY)
@JsonIgnore
private List<Booking> bookingList; private List<Booking> bookingList;
public List<Booking> getBookingList() {
return bookingList;
}
public Object getCode() {
return code;
}
public Object getPhotoUrl() {
return photoUrl;
}
public Object getName() {
return name;
}
public Object getId() {
return id;
}
} }

View File

@@ -1,8 +1,6 @@
package com.example.nto.entity; package com.example.nto.entity;
import jakarta.persistence.GeneratedValue; import jakarta.persistence.*;
import jakarta.persistence.GenerationType;
import jakarta.persistence.Id;
import lombok.AllArgsConstructor; import lombok.AllArgsConstructor;
import lombok.Builder; import lombok.Builder;
import lombok.Data; import lombok.Data;
@@ -19,11 +17,26 @@ import lombok.NoArgsConstructor;
@Builder @Builder
@NoArgsConstructor @NoArgsConstructor
@AllArgsConstructor @AllArgsConstructor
@Entity
@Table(name="place")
public class Place { public class Place {
@Id @Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private long id; private long id;
@Column(name = "place_name")
private String place; private String place;
public Place(int id, String place) {
}
public Object getPlace() {
return place;
}
public Long getId() {
return id;
}
} }

View File

@@ -0,0 +1,7 @@
package com.example.nto.excepation;
public class ConflictException extends RuntimeException {
public ConflictException(String message) {
super(message);
}
}

View File

@@ -0,0 +1,7 @@
package com.example.nto.excepation;
public class EmployeeNotFoundException extends RuntimeException{
public EmployeeNotFoundException(String msg) {
super(msg);
}
}

View File

@@ -0,0 +1,7 @@
package com.example.nto.excepation;
public class IllegalArgumentException extends RuntimeException {
public IllegalArgumentException(String message) {
super(message);
}
}

View File

@@ -1,10 +1,23 @@
package com.example.nto.repository; package com.example.nto.repository;
import com.example.nto.entity.Booking;
import com.example.nto.entity.Employee;
import com.example.nto.entity.Place;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.stereotype.Repository;
import java.time.LocalDate;
import java.util.List;
import java.util.Optional;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
* ================================= * =================================
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
public interface BookingRepository { @Repository
public interface BookingRepository extends JpaRepository<Booking, Long> {
List<Booking> findByEmployee(Employee employee);
List<Booking> findByDateBetween(LocalDate start, LocalDate end);
} }

View File

@@ -1,10 +1,16 @@
package com.example.nto.repository; package com.example.nto.repository;
import com.example.nto.entity.Employee;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.stereotype.Repository;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
* ================================= * =================================
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
public interface EmployeeRepository { @Repository
public interface EmployeeRepository extends JpaRepository<Employee, Long> {
Employee findByCode(String code);
} }

View File

@@ -1,10 +1,15 @@
package com.example.nto.repository; package com.example.nto.repository;
import com.example.nto.entity.Place;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.stereotype.Repository;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
* ================================= * =================================
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
public interface PlaceRepository { @Repository
public interface PlaceRepository extends JpaRepository<Place, Long> {
} }

View File

@@ -1,10 +1,11 @@
package com.example.nto.service; package com.example.nto.service;
/** import org.springframework.stereotype.Service;
* TODO: ДОРАБОТАТЬ в рамках задания
* ================================= import java.util.List;
* МОЖНО: Добавлять методы, аннотации, зависимости import java.util.Map;
* НЕЛЬЗЯ: Изменять название класса и пакета
*/ @Service
public interface BookingService { public interface BookingService {
Map<String, Object> findAvailableBookings(String employeeCode);
} }

View File

@@ -1,4 +1,10 @@
package com.example.nto.service; package com.example.nto.service;
import com.example.nto.entity.Booking;
import com.example.nto.entity.Employee;
import org.springframework.stereotype.Service;
import java.util.List;
import java.util.Map;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
@@ -6,5 +12,7 @@ package com.example.nto.service;
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
@Service
public interface EmployeeService { public interface EmployeeService {
Employee getEmployeeWithBookings(String code);
} }

View File

@@ -0,0 +1,25 @@
package com.example.nto.service;
import com.example.nto.entity.Place;
import com.example.nto.repository.PlaceRepository;
import jakarta.annotation.PostConstruct;
import org.springframework.stereotype.Service;
@Service
public class PlaceServise {
private final PlaceRepository placeRepository;
public PlaceServise(PlaceRepository placeRepository) {
this.placeRepository = placeRepository;
}
@PostConstruct
public void Places() {
if(placeRepository.count() == 0) {
placeRepository.save(new Place(1,"K-19"));
placeRepository.save(new Place(2,"M-16"));
placeRepository.save(new Place(3,"T-1"));
}
}
}

View File

@@ -1,12 +1,64 @@
package com.example.nto.service.impl; package com.example.nto.service.impl;
import com.example.nto.entity.Booking;
import com.example.nto.entity.Employee;
import com.example.nto.entity.Place;
import com.example.nto.excepation.EmployeeNotFoundException;
import com.example.nto.repository.BookingRepository;
import com.example.nto.repository.PlaceRepository;
import com.example.nto.service.BookingService; import com.example.nto.service.BookingService;
import com.example.nto.service.EmployeeService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
/** import java.time.LocalDate;
* TODO: ДОРАБОТАТЬ в рамках задания import java.util.*;
* =================================
* МОЖНО: Добавлять методы, аннотации, зависимости @Service
* НЕЛЬЗЯ: Изменять название класса и пакета
*/
public class BookingServiceImpl implements BookingService { public class BookingServiceImpl implements BookingService {
@Autowired
private BookingRepository bookingRepository;
@Autowired
private PlaceRepository placeRepository;
@Autowired
private EmployeeService employeeService;
@Override
public Map<String, Object> findAvailableBookings(String employeeCode) {
if (employeeCode == null || employeeCode.isEmpty()) {
throw new IllegalArgumentException("Employee code cannot be null or empty");
}
Employee employee = employeeService.getEmployeeWithBookings(employeeCode);
if (employee == null) {
throw new EmployeeNotFoundException("Employee not found with code: " + employeeCode);
}
LocalDate today = LocalDate.now();
LocalDate endDate = today.plusDays(3);
List<Booking> bookings = bookingRepository.findByDateBetween(today, endDate);
List<Place> places = placeRepository.findAll();
Map<String, List<Map<String, Object>>> result = new LinkedHashMap<>();
for (int i = 0; i <= 3; i++) {
LocalDate date = today.plusDays(i);
List<Map<String, Object>> freePlaces = new ArrayList<>();
for (Place place : places) {
boolean isBooked = bookings.stream()
.anyMatch(b -> b.getDate().isEqual(date) && b.getPlace().getId() == place.getId());
if (!isBooked) {
Map<String, Object> placeInfo = new LinkedHashMap<>();
placeInfo.put("id", place.getId());
placeInfo.put("place", place.getPlace());
freePlaces.add(placeInfo);
}
}
result.put(date.toString(), freePlaces);
}
return Collections.unmodifiableMap(result);
}
} }

View File

@@ -1,6 +1,15 @@
package com.example.nto.service.impl; package com.example.nto.service.impl;
import com.example.nto.entity.Booking;
import com.example.nto.entity.Employee;
import com.example.nto.excepation.EmployeeNotFoundException;
import com.example.nto.repository.BookingRepository;
import com.example.nto.repository.EmployeeRepository;
import com.example.nto.service.EmployeeService; import com.example.nto.service.EmployeeService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import java.util.List;
/** /**
* TODO: ДОРАБОТАТЬ в рамках задания * TODO: ДОРАБОТАТЬ в рамках задания
@@ -8,5 +17,25 @@ import com.example.nto.service.EmployeeService;
* МОЖНО: Добавлять методы, аннотации, зависимости * МОЖНО: Добавлять методы, аннотации, зависимости
* НЕЛЬЗЯ: Изменять название класса и пакета * НЕЛЬЗЯ: Изменять название класса и пакета
*/ */
@Service
public class EmployeeServiceImpl implements EmployeeService { public class EmployeeServiceImpl implements EmployeeService {
@Autowired
private EmployeeRepository employeeRepository;
@Autowired
private BookingRepository bookingRepository;
@Override
public Employee getEmployeeWithBookings(String code) {
if (code == null || code.isEmpty()) {
throw new IllegalArgumentException("Employee code cannot be null or empty");
}
Employee employee = employeeRepository.findByCode(code);
if (employee == null) {
throw new EmployeeNotFoundException("Employee not found with code: " + code);
}
return employee;
}
} }