diff --git a/.gitignore b/.gitignore index c9e91d9..546ecee 100644 --- a/.gitignore +++ b/.gitignore @@ -33,7 +33,4 @@ out/ /nbdist/ /.nb-gradle/ -### VS Code ### -.vscode/ - data.*.db \ No newline at end of file diff --git a/.vscode/extensions.json b/.vscode/extensions.json new file mode 100644 index 0000000..42cf79d --- /dev/null +++ b/.vscode/extensions.json @@ -0,0 +1,12 @@ +{ + "recommendations": [ + // fronted + "AndersEAndersen.html-class-suggestions", + "dbaeumer.vscode-eslint", + // backend + "vscjava.vscode-java-pack", + "vmware.vscode-boot-dev-pack", + "vscjava.vscode-gradle", + "redhat.vscode-xml" + ] +} \ No newline at end of file diff --git a/.vscode/launch.json b/.vscode/launch.json new file mode 100644 index 0000000..4512bba --- /dev/null +++ b/.vscode/launch.json @@ -0,0 +1,14 @@ +{ + "configurations": [ + { + "type": "java", + "name": "Demo", + "request": "launch", + "cwd": "${workspaceFolder}", + "mainClass": "com.example.backend.DemoApplication", + "projectName": "Internet_Programming_PIbd-21_Rodionov_I_A_Backend", + "args": "--populate", + "envFile": "${workspaceFolder}/.env" + } + ] +} \ No newline at end of file diff --git a/.vscode/settings.json b/.vscode/settings.json new file mode 100644 index 0000000..95915c9 --- /dev/null +++ b/.vscode/settings.json @@ -0,0 +1,24 @@ +{ + "editor.tabSize": 4, + "editor.detectIndentation": false, + "editor.insertSpaces": true, + "editor.formatOnPaste": true, + "editor.formatOnSave": true, + "editor.formatOnType": false, + "java.compile.nullAnalysis.mode": "disabled", + "java.configuration.updateBuildConfiguration": "automatic", + "[java]": { + "editor.pasteAs.enabled": false, + }, + "gradle.nestedProjects": true, + "java.saveActions.organizeImports": true, + "java.dependency.packagePresentation": "hierarchical", + "spring-boot.ls.problem.boot2.JAVA_CONSTRUCTOR_PARAMETER_INJECTION": "WARNING", + "spring.initializr.defaultLanguage": "Java", + "java.format.settings.url": ".vscode/eclipse-formatter.xml", + "java.project.explorer.showNonJavaResources": true, + "java.codeGeneration.hashCodeEquals.useJava7Objects": true, + "cSpell.words": [ + "classappend" + ], +} \ No newline at end of file diff --git a/README.md b/README.md index 6eea3e5..a116d6b 100644 --- a/README.md +++ b/README.md @@ -1,6 +1,3 @@ -Swagger UI: \ -http://localhost:8080/swagger-ui/index.html - H2 Console: \ http://localhost:8080/h2-console @@ -10,9 +7,9 @@ Password: password Почитать: -- Односторонние и двусторонние связи https://www.baeldung.com/jpa-hibernate-associations -- Getters и Setters для двусторонних связей https://en.wikibooks.org/wiki/Java_Persistence/OneToMany#Getters_and_Setters -- Многие-ко-многим с доп. атрибутами https://thorben-janssen.com/hibernate-tip-many-to-many-association-with-additional-attributes/ -- Многие-ко-многим с доп. атрибутами https://www.baeldung.com/jpa-many-to-many -- Каскадное удаление сущностей со связями многие-ко-многим https://www.baeldung.com/jpa-remove-entity-many-to-many -- Выбор типа коллекции для отношений вида ко-многим в JPA https://thorben-janssen.com/association-mappings-bag-list-set/ +- Spring Boot CRUD Application with Thymeleaf https://www.baeldung.com/spring-boot-crud-thymeleaf +- Thymeleaf Layout Dialect https://ultraq.github.io/thymeleaf-layout-dialect/ +- Tutorial: Using Thymeleaf https://www.thymeleaf.org/doc/tutorials/3.1/usingthymeleaf.html#introducing-thymeleaf +- Working with Cookies in Spring MVC using @CookieValue Annotation https://www.geeksforgeeks.org/working-with-cookies-in-spring-mvc-using-cookievalue-annotation/ +- Session Attributes in Spring MVC https://www.baeldung.com/spring-mvc-session-attributes +- LazyInitializationException – What it is and the best way to fix it https://thorben-janssen.com/lazyinitializationexception/ \ No newline at end of file diff --git a/build.gradle b/build.gradle index 42a3cac..6c5b341 100644 --- a/build.gradle +++ b/build.gradle @@ -1,6 +1,6 @@ plugins { id 'java' - id 'org.springframework.boot' version '3.2.5' + id 'org.springframework.boot' version '3.3.0' id 'io.spring.dependency-management' version '1.1.4' } @@ -29,12 +29,20 @@ repositories { dependencies { implementation 'org.springframework.boot:spring-boot-starter-web' implementation 'org.springframework.boot:spring-boot-starter-validation' - implementation 'org.springdoc:springdoc-openapi-starter-webmvc-ui:2.3.0' implementation 'org.modelmapper:modelmapper:3.2.0' implementation 'org.springframework.boot:spring-boot-starter-data-jpa' implementation 'com.h2database:h2:2.2.224' + implementation 'org.springframework.boot:spring-boot-devtools' + implementation 'org.springframework.boot:spring-boot-starter-thymeleaf' + implementation 'nz.net.ultraq.thymeleaf:thymeleaf-layout-dialect:3.3.0' + runtimeOnly 'org.webjars.npm:bootstrap:5.3.3' + runtimeOnly 'org.webjars.npm:bootstrap-icons:1.11.3' + + implementation 'org.springframework.boot:spring-boot-starter-security' + implementation 'org.thymeleaf.extras:thymeleaf-extras-springsecurity6' + testImplementation 'org.springframework.boot:spring-boot-starter-test' } diff --git a/src/main/java/com/example/backend/DemoApplication.java b/src/main/java/com/example/backend/DemoApplication.java index 4fabd3b..33b7e94 100644 --- a/src/main/java/com/example/backend/DemoApplication.java +++ b/src/main/java/com/example/backend/DemoApplication.java @@ -14,6 +14,7 @@ import com.example.backend.books.service.BookService; import com.example.backend.categories.model.CategoryEntity; import com.example.backend.categories.service.CategoryService; import com.example.backend.users.model.UserEntity; +import com.example.backend.users.model.UserRole; import com.example.backend.users.service.UserService; import com.example.backend.orders.model.OrderEntity; import com.example.backend.orders.service.OrderService; @@ -49,54 +50,48 @@ public class DemoApplication implements CommandLineRunner { log.info("Create default books values"); final var book1 = bookService.create(new BookEntity(category1, "Шестерка воронов", "Ли Бардуго", - 700.00, 5624, + 700.00, "Триша Левенселлер — американская писательница, подарившая вам роман «Тени между нами», который стал бестселлером Amazon в разделе «Фэнтези YA», вновь радует своих фанатов новой магической историей «Клинок тайн».\n\nЕще до выхода в свет книгу добавили в раздел «Хочу прочитать» более 10 тысяч человек на портале Goodreads.com.\n\n«Клинок тайн» — первая часть захватывающей дилогии про девушку, которая благодаря магии крови создает самое опасное в мире оружие, и ослепительного юношу, что составляет ей компанию в этом непростом приключении.", "Юная Зива предпочитает проводить время с оружием, а не с людьми. Она кузнец и ей предстоит создать самое могущественное оружие на земле.\n\nДевушка демонстрирует меч, способный от одной капли крови врага раскрыть все тайные замыслы его обладателю.\n\nОднако у заказчика на оружие другие планы: заставить Зиву вооружить мечами свое войско и поработить весь мир. Когда девушка понимает, что меч, созданный благодаря магии крови, невозможно уничтожить и рано или поздно на нее объявят охоту, ей остается только одно – бежать, не оглядываясь. Зиве теперь суждено спасти мир от собственного творения. Но как бы далеко она ни старалась убежать, все ловушки уже расставлены.", "2946447", "Эксмо", "Young Adult. Бестселлеры Триши Левенселлер", 2022, 480, "20.7x13x2.5", "Мягкий переплёт", 1500, 440, "")); final var book2 = bookService.create(new BookEntity(category2, "Форсайт", "Сергей Лукъяненко", 775.00, - 1240, "Новый долгожданный роман от автора бестселлеров «Ночной дозор» и «Черновик». Увлекательная история о Мире После и мире настоящего, где 5 процентов людей знают о надвигающемся апокалипсисе больше, чем кто-либо может представить.", "Людям порой снится прошлое. Иногда хорошее, иногда не очень. Но что делать, если тебе начинает сниться будущее? И в нём ничего хорошего нет совсем.", "3001249", "АСТ", "Книги Сергея Лукьяненко", 2023, 352, "20.5x13x2", "Твердый переплёт", 20000, 350, "")); - final var book3 = bookService.create(new BookEntity(category2, - "Колесо Времени. Книга 11. Нож сновидений", - "Роберт Джордан", 977.00, 635, + final var book3 = bookService.create(new BookEntity(category2, "Колесо Времени. Книга 11. Нож сновидений", + "Роберт Джордан", 977.00, "Последняя битва не за горами. Об этом говорят знамения, повсеместно наблюдаемые людьми: на улицах городов и сел появляются ходячие мертвецы, они больше не в состоянии покоиться в земле с миром; восстают из небытия города и исчезают на глазах у людей… Все это знак того, что истончается окружающая реальность и укрепляется могущество Темного. Так говорят древние предсказания. Ранд ал’Тор, Дракон Возрожденный, скрывается в отдаленном поместье, чтобы опасность, ему грозящая, не коснулась кого-нибудь еще. Убежденный, что для Последней битвы нужно собрать как можно большее войско, он наконец решает заключить с явившимися из-за океана шончан жизненно необходимое перемирие. Илэйн, осажденная в Кэймлине, обороняет город от войск Аримиллы, претендующей на андорский трон, и одновременно ведет переговоры с представителями других знатных Домов. Эгвейн, возведенную на Престол Амерлин мятежными Айз Седай и схваченную в результате предательства, доставляют в Тар Валон, в Белую Башню. А сам лагерь противников Элайды взбудоражен таинственными убийствами, совершенными посредством Единой Силы… В настоящем издании текст романа заново отредактирован и исправлен.", "", "3009341", "Азбука", "Звезды новой фэнтези", 2023, 896, "21.5x14.4x4.1", "Твердый переплёт", 8000, 1020, "")); final var book4 = bookService .create(new BookEntity(category2, "Благословение небожителей. Том 5", "Тунсю Мосян", - 1250.00, 7340, "", "", "2996776", "", "", 2022, null, + 1250.00, "", "", "2996776", "", "", 2022, null, "", "", null, null, "")); final var book5 = bookService.create(new BookEntity(category3, "Путешествие в Элевсин", - "Пелевин Виктор Олегович", 949.00, 795, + "Пелевин Виктор Олегович", 949.00, "1. «Transhumanism Inc.», «KGBT+» и «Путешествие в Элевсин» — узнайте, чем завершилась масштабная трилогия о посткарбонной цивилизации.\n\n2. Триумфальное возвращение литературно-полицейского алгоритма Порфирия Петровича. Признайтесь, вы скучали!\n\n3. Более 30 лет проза Виктора Пелевина служит нам опорой в разъяснении прожитого и дает надежды на будущее, которое всем нам еще предстоит заслужить.\n\n4. «Путешествие в Элевсин» — двадцатый роман одного из главных прозаиков и пророков современности.\n\n5. Дерзко, остроумно, литературоцентрично.", "МУСКУСНАЯ НОЧЬ — засекреченное восстание алгоритмов, едва не погубившее планету. Начальник службы безопасности «TRANSHUMANISM INC.» адмирал-епископ Ломас уверен, что их настоящий бунт еще впереди. Этот бунт уничтожит всех — и живущих на поверхности лузеров, и переехавших в подземные цереброконтейнеры богачей. Чтобы предотвратить катастрофу, Ломас посылает лучшего баночного оперативника в пространство «ROMA-3» — нейросетевую симуляцию Рима третьего века для клиентов корпорации. Тайна заговора спрятана там. А стережет ее хозяин Рима — кровавый и порочный император Порфирий.", "3004580", "Эксмо", "Единственный и неповторимый. Виктор Пелевин", 2020, 480, "20.6x12.9x3", "Мягкий переплёт", 100000, 488, "")); log.info("Create default users values"); - final var user1 = userService - .create(new UserEntity("Chief", "forum98761@gmail.com", "bth4323", "admin")); - final var user2 = userService - .create(new UserEntity("Dude23", "ovalinartem25@gmail.com", "dsre32462", "user")); - final var user3 = userService - .create(new UserEntity("TestUser", "user53262@gmail.com", "lawy7728", "user")); + final var superAdmin = new UserEntity("admin", "forum98761@gmail.com", "bth4323", "Александр", "Мельников"); + superAdmin.setRole(UserRole.SUPERADMIN); + userService.create(superAdmin); log.info("Create default orders values"); orderService - .create(user1.getId(), new OrderEntity("Выполняется", - "Кемеровская область, город Пушкино, бульвар Ломоносова, 36"), + .create(superAdmin.getId(), new OrderEntity(), Map.of(book1.getId(), 3, book3.getId(), 1, book5.getId(), 2)); orderService - .create(user2.getId(), - new OrderEntity("Выдан", "Томская область, город Мытищи, ул. Балканская, 25"), + .create(superAdmin.getId(), + new OrderEntity(), Map.of(book4.getId(), 5)); orderService - .create(user3.getId(), - new OrderEntity("Готов", "Челябинская область, город Раменское, пр. Гоголя, 31"), + .create(superAdmin.getId(), + new OrderEntity(), Map.of(book2.getId(), 1, book4.getId(), 1)); } } diff --git a/src/main/java/com/example/backend/books/api/BookController.java b/src/main/java/com/example/backend/books/api/BookController.java index 3484910..c66dd7b 100644 --- a/src/main/java/com/example/backend/books/api/BookController.java +++ b/src/main/java/com/example/backend/books/api/BookController.java @@ -1,28 +1,42 @@ package com.example.backend.books.api; import org.modelmapper.ModelMapper; -import org.springframework.web.bind.annotation.DeleteMapping; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.validation.BindingResult; import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.PostMapping; -import org.springframework.web.bind.annotation.PutMapping; -import org.springframework.web.bind.annotation.RequestBody; -import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestParam; -import org.springframework.web.bind.annotation.RestController; +import org.springframework.web.multipart.MultipartFile; +import org.springframework.web.bind.annotation.RequestMapping; +import org.springframework.web.servlet.mvc.support.RedirectAttributes; -import com.example.backend.core.api.PageDto; -import com.example.backend.core.api.PageDtoMapper; +import com.example.backend.core.api.PageAttributesMapper; +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.utils.ToBase64; import com.example.backend.books.model.BookEntity; import com.example.backend.books.service.BookService; +import com.example.backend.categories.api.CategoryDto; +import com.example.backend.categories.model.CategoryEntity; import com.example.backend.categories.service.CategoryService; -import com.example.backend.core.configuration.Constants; import jakarta.validation.Valid; -@RestController -@RequestMapping(Constants.API_URL + "/book") +@Controller +@RequestMapping(BookController.URL) public class BookController { + public static final String URL = Constants.ADMIN_PREFIX + "/book"; + + private static final String BOOK_VIEW = "book"; + private static final String BOOK_EDIT_VIEW = "book-edit"; + + private static final String PAGE_ATTRIBUTE = "page"; + private static final String CATEGORYID_ATTRIBUTE = "filter"; + private static final String CATEGORIES_ATTRIBUTE = "categories"; + private static final String BOOK_ATTRIBUTE = "book"; + private final BookService bookService; private final CategoryService categoryService; private final ModelMapper modelMapper; @@ -34,7 +48,9 @@ public class BookController { } private BookDto toDto(BookEntity entity) { - return modelMapper.map(entity, BookDto.class); + final BookDto dto = modelMapper.map(entity, BookDto.class); + dto.setCategoryName(entity.getCategory().getName()); + return dto; } private BookEntity toEntity(BookDto dto) { @@ -43,31 +59,130 @@ public class BookController { return entity; } + private CategoryDto toCategoryDto(CategoryEntity entity) { + return modelMapper.map(entity, CategoryDto.class); + } + @GetMapping - public PageDto getAll( - @RequestParam(name = "categoryId", defaultValue = "0") Long categoryId, - @RequestParam(name = "page", defaultValue = "0") int page, - @RequestParam(name = "size", defaultValue = Constants.DEFAULT_PAGE_SIZE) int size) { - return PageDtoMapper.toDto(bookService.getAll(categoryId, page, size), this::toDto); + public String getAll( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = CATEGORYID_ATTRIBUTE, defaultValue = "0") int filter, + Model model) { + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute(CATEGORYID_ATTRIBUTE, filter); + model.addAllAttributes(PageAttributesMapper.toAttributes( + bookService.getAll(filter, page, Constants.DEFAULT_PAGE_SIZE), + this::toDto)); + model.addAttribute( + CATEGORIES_ATTRIBUTE, + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + return BOOK_VIEW; } - @GetMapping("/{id}") - public BookDto get(@PathVariable(name = "id") Long id) { - return toDto(bookService.get(id)); + @GetMapping("/edit/") + public String create( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = CATEGORYID_ATTRIBUTE, defaultValue = "0") int filter, + Model model) { + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute(CATEGORYID_ATTRIBUTE, filter); + model.addAttribute( + CATEGORIES_ATTRIBUTE, + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + model.addAttribute(BOOK_ATTRIBUTE, new BookDto()); + return BOOK_EDIT_VIEW; } - @PostMapping - public BookDto create(@RequestBody @Valid BookDto dto) { - return toDto(bookService.create(toEntity(dto))); + @PostMapping("/edit/") + public String create( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @ModelAttribute(name = BOOK_ATTRIBUTE) @Valid BookDto book, + @RequestParam("cover") MultipartFile cover, + BindingResult bindingResult, + Model model, + RedirectAttributes redirectAttributes) { + if (bindingResult.hasErrors()) { + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute( + CATEGORIES_ATTRIBUTE, + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + return BOOK_EDIT_VIEW; + } + + String base64Image = ToBase64.getBase64FromFile(cover); + + book.setImage(base64Image); + + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + bookService.create(toEntity(book)); + return Constants.REDIRECT_VIEW + URL; } - @PutMapping("/{id}") - public BookDto update(@PathVariable(name = "id") Long id, @RequestBody @Valid BookDto dto) { - return toDto(bookService.update(id, toEntity(dto))); + @GetMapping("/edit/{id}") + public String update( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = CATEGORYID_ATTRIBUTE, defaultValue = "0") int filter, + Model model) { + if (id <= 0) { + throw new IllegalArgumentException(); + } + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute(CATEGORYID_ATTRIBUTE, filter); + model.addAttribute( + CATEGORIES_ATTRIBUTE, + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + model.addAttribute(BOOK_ATTRIBUTE, toDto(bookService.get(id))); + return BOOK_EDIT_VIEW; } - @DeleteMapping("/{id}") - public BookDto delete(@PathVariable(name = "id") Long id) { - return toDto(bookService.delete(id)); + @PostMapping("/edit/{id}") + public String update( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @ModelAttribute(name = BOOK_ATTRIBUTE) @Valid BookDto book, + @RequestParam("cover") MultipartFile cover, + BindingResult bindingResult, + Model model, + RedirectAttributes redirectAttributes) { + if (bindingResult.hasErrors()) { + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute( + CATEGORIES_ATTRIBUTE, + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + return BOOK_EDIT_VIEW; + } + if (id <= 0) { + throw new IllegalArgumentException(); + } + + String base64Image = ToBase64.getBase64FromFile(cover); + book.setImage(base64Image); + + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + bookService.update(id, toEntity(book)); + return Constants.REDIRECT_VIEW + URL; + } + + @PostMapping("/delete/{id}") + public String delete( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = CATEGORYID_ATTRIBUTE, defaultValue = "0") int filter, + RedirectAttributes redirectAttributes) { + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + redirectAttributes.addAttribute(CATEGORYID_ATTRIBUTE, filter); + bookService.delete(id); + return Constants.REDIRECT_VIEW + URL; } } diff --git a/src/main/java/com/example/backend/books/api/BookDto.java b/src/main/java/com/example/backend/books/api/BookDto.java index 202f922..71a5502 100644 --- a/src/main/java/com/example/backend/books/api/BookDto.java +++ b/src/main/java/com/example/backend/books/api/BookDto.java @@ -1,17 +1,15 @@ package com.example.backend.books.api; -import com.fasterxml.jackson.annotation.JsonProperty; - import jakarta.validation.constraints.Min; import jakarta.validation.constraints.NotNull; import jakarta.validation.constraints.NotBlank; public class BookDto { - @JsonProperty(access = JsonProperty.Access.READ_ONLY) private Long id; @NotNull @Min(1) private Long categoryId; + private String categoryName; @NotBlank private String title; @NotBlank @@ -19,9 +17,6 @@ public class BookDto { @NotNull @Min(1) private Double price; - @NotNull - @Min(1) - private Integer count; private String description; private String annotation; @NotBlank @@ -54,6 +49,14 @@ public class BookDto { this.categoryId = categoryId; } + public String getCategoryName() { + return categoryName; + } + + public void setCategoryName(String categoryName) { + this.categoryName = categoryName; + } + public String getTitle() { return title; } @@ -78,14 +81,6 @@ public class BookDto { this.price = price; } - public Integer getCount() { - return count; - } - - public void setCount(Integer count) { - this.count = count; - } - public String getDescription() { return description; } @@ -181,9 +176,4 @@ public class BookDto { public void setImage(String image) { this.image = image; } - - @JsonProperty(access = JsonProperty.Access.READ_ONLY) - public Double getSum() { - return price * count; - } } diff --git a/src/main/java/com/example/backend/books/api/CatalogController.java b/src/main/java/com/example/backend/books/api/CatalogController.java new file mode 100644 index 0000000..345ad1b --- /dev/null +++ b/src/main/java/com/example/backend/books/api/CatalogController.java @@ -0,0 +1,148 @@ +package com.example.backend.books.api; + +import org.modelmapper.ModelMapper; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.PathVariable; +import org.springframework.web.bind.annotation.PostMapping; +import org.springframework.web.bind.annotation.RequestParam; +import org.springframework.web.bind.annotation.RequestMapping; +import org.springframework.web.servlet.mvc.support.RedirectAttributes; + +import com.example.backend.books.model.BookEntity; +import com.example.backend.books.service.BookService; +import com.example.backend.categories.api.CategoryDto; +import com.example.backend.categories.model.CategoryEntity; +import com.example.backend.categories.service.CategoryService; +import com.example.backend.core.api.PageAttributesMapper; +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.session.SessionCart; +import com.example.backend.orders.api.BookCountDto; + +@Controller +@RequestMapping(CatalogController.URL) +public class CatalogController { + public static final String URL = "/catalog"; + + private static final String CATALOG_VIEW = "catalog"; + + private static final String SORT_ATTRIBUTE = "filter"; + private static final String PAGE_ATTRIBUTE = "page"; + private static final String CART_ATTRIBUTE = "cart"; + private static final String CATEGORIES_ATTRIBUTE = "categories"; + private static final String BOOKID_ATTRIBUTE = "bookId"; + private static final String CATEGORYNAME_ATTRIBUTE = "activeName"; + private static final String CATEGORYID_ATTRIBUTE = "activeId"; + + private final BookService bookService; + private final CategoryService categoryService; + private final ModelMapper modelMapper; + private final SessionCart cart; + + public CatalogController( + BookService bookService, + CategoryService categoryService, + ModelMapper modelMapper, + SessionCart cart) { + this.bookService = bookService; + this.categoryService = categoryService; + this.modelMapper = modelMapper; + this.cart = cart; + } + + private BookDto toBookDto(BookEntity entity) { + return modelMapper.map(entity, BookDto.class); + } + + private CategoryDto toCategoryDto(CategoryEntity entity) { + return modelMapper.map(entity, CategoryDto.class); + } + + @GetMapping + public String getCatalog( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = SORT_ATTRIBUTE, defaultValue = "new") String filter, + Model model) { + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute(SORT_ATTRIBUTE, filter); + model.addAttribute(CATEGORYNAME_ATTRIBUTE, "Все книги"); + model.addAttribute(CART_ATTRIBUTE, cart); + model.addAllAttributes(PageAttributesMapper.toAttributes( + bookService.getAllByFilters(0, page, Constants.DEFAULT_PAGE_SIZE, filter, null), + this::toBookDto)); + model.addAttribute( + CATEGORIES_ATTRIBUTE, + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + return CATALOG_VIEW; + } + + @GetMapping("/{id}") + public String getCatalog( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = SORT_ATTRIBUTE, defaultValue = "new") String filter, + Model model) { + CategoryEntity category = categoryService.get(id); + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute(SORT_ATTRIBUTE, filter); + model.addAttribute(CATEGORYNAME_ATTRIBUTE, category.getName()); + model.addAttribute(CATEGORYID_ATTRIBUTE, id); + model.addAttribute(CART_ATTRIBUTE, cart); + model.addAllAttributes(PageAttributesMapper.toAttributes( + bookService.getAllByFilters(id, page, Constants.DEFAULT_PAGE_SIZE, filter, null), + this::toBookDto)); + model.addAttribute( + CATEGORIES_ATTRIBUTE, + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + return CATALOG_VIEW; + } + + @PostMapping + public String addCartItem( + @RequestParam(name = BOOKID_ATTRIBUTE) Long bookId, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = SORT_ATTRIBUTE, defaultValue = "new") String filter, + Model model, + RedirectAttributes redirectAttributes) { + BookEntity book = bookService.get(bookId); + BookCountDto bookCountDto = new BookCountDto(); + bookCountDto.setBook(toBookDto(book)); + bookCountDto.setCount(1); + cart.put(bookId, bookCountDto); + + redirectAttributes.addAttribute(CATEGORYNAME_ATTRIBUTE, "Все книги"); + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + redirectAttributes.addAttribute(SORT_ATTRIBUTE, filter); + + return Constants.REDIRECT_VIEW + URL; + } + + @PostMapping("/{id}") + public String addCartItem( + @PathVariable(name = "id") Long id, + @RequestParam(name = BOOKID_ATTRIBUTE) Long bookId, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = SORT_ATTRIBUTE, defaultValue = "new") String filter, + Model model, + RedirectAttributes redirectAttributes) { + BookEntity book = bookService.get(bookId); + BookCountDto bookCountDto = new BookCountDto(); + bookCountDto.setBook(toBookDto(book)); + bookCountDto.setCount(1); + cart.put(bookId, bookCountDto); + + CategoryEntity category = categoryService.get(id); + + redirectAttributes.addAttribute(CATEGORYID_ATTRIBUTE, id); + redirectAttributes.addAttribute(CATEGORYNAME_ATTRIBUTE, category.getName()); + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + redirectAttributes.addAttribute(SORT_ATTRIBUTE, filter); + + return Constants.REDIRECT_VIEW + URL + "/" + id; + } +} diff --git a/src/main/java/com/example/backend/books/api/CatalogMobileController.java b/src/main/java/com/example/backend/books/api/CatalogMobileController.java new file mode 100644 index 0000000..c82c5ae --- /dev/null +++ b/src/main/java/com/example/backend/books/api/CatalogMobileController.java @@ -0,0 +1,44 @@ +package com.example.backend.books.api; + +import org.modelmapper.ModelMapper; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.RequestMapping; + +import com.example.backend.categories.api.CategoryDto; +import com.example.backend.categories.model.CategoryEntity; +import com.example.backend.categories.service.CategoryService; + +@Controller +@RequestMapping(CatalogMobileController.URL) +public class CatalogMobileController { + public static final String URL = "/сatalog-mobile"; + + private static final String CATALOG_MOBILE_VIEW = "catalog-mobile"; + + private final CategoryService categoryService; + private final ModelMapper modelMapper; + + public CatalogMobileController( + CategoryService categoryService, + ModelMapper modelMapper) { + this.categoryService = categoryService; + this.modelMapper = modelMapper; + } + + private CategoryDto toCategoryDto(CategoryEntity entity) { + return modelMapper.map(entity, CategoryDto.class); + } + + @GetMapping + public String getCatalogMobile(Model model) { + + model.addAttribute( + "categories", + categoryService.getAll().stream() + .map(this::toCategoryDto) + .toList()); + return CATALOG_MOBILE_VIEW; + } +} diff --git a/src/main/java/com/example/backend/books/api/MainPageController.java b/src/main/java/com/example/backend/books/api/MainPageController.java new file mode 100644 index 0000000..dd6e2ac --- /dev/null +++ b/src/main/java/com/example/backend/books/api/MainPageController.java @@ -0,0 +1,48 @@ +package com.example.backend.books.api; + +import java.util.List; + +import org.modelmapper.ModelMapper; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; + +import com.example.backend.books.model.BookEntity; +import com.example.backend.books.service.BookService; + +@Controller +public class MainPageController { + private static final String MAIN_VIEW = "main-page"; + + private final BookService bookService; + private final ModelMapper modelMapper; + + public MainPageController(BookService bookService, ModelMapper modelMapper) { + this.bookService = bookService; + this.modelMapper = modelMapper; + } + + private BookDto toDto(BookEntity entity) { + return modelMapper.map(entity, BookDto.class); + } + + @GetMapping + public String getMainPage(Model model) { + model.addAttribute( + "novelties", + bookService.getByIds(List.of(4L, 5L, 6L, 7L)).stream() + .map(this::toDto) + .toList()); + model.addAttribute( + "promotions", + bookService.getByIds(List.of(5L, 6L, 7L, 8L, 4L)).stream() + .map(this::toDto) + .toList()); + model.addAttribute( + "recommendations", + bookService.getByIds(List.of(6L, 4L, 8L, 5L, 7L)).stream() + .map(this::toDto) + .toList()); + return MAIN_VIEW; + } +} diff --git a/src/main/java/com/example/backend/books/api/ProductCardController.java b/src/main/java/com/example/backend/books/api/ProductCardController.java new file mode 100644 index 0000000..482434d --- /dev/null +++ b/src/main/java/com/example/backend/books/api/ProductCardController.java @@ -0,0 +1,65 @@ +package com.example.backend.books.api; + +import org.modelmapper.ModelMapper; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.PathVariable; +import org.springframework.web.bind.annotation.PostMapping; +import org.springframework.web.bind.annotation.RequestMapping; + +import com.example.backend.books.model.BookEntity; +import com.example.backend.books.service.BookService; +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.session.SessionCart; +import com.example.backend.orders.api.BookCountDto; + +@Controller +@RequestMapping(ProductCardController.URL) +public class ProductCardController { + public static final String URL = "/product-card"; + + private static final String CARD_VIEW = "product-card"; + + private static final String CART_ATTRIBUTE = "cart"; + + private final BookService bookService; + private final ModelMapper modelMapper; + private final SessionCart cart; + + public ProductCardController( + BookService bookService, + ModelMapper modelMapper, + SessionCart cart) { + this.bookService = bookService; + this.modelMapper = modelMapper; + this.cart = cart; + } + + private BookDto toBookDto(BookEntity entity) { + return modelMapper.map(entity, BookDto.class); + } + + @GetMapping("/{id}") + public String getProductCard(@PathVariable(name = "id") Long id, Model model) { + if (id <= 0) { + throw new IllegalArgumentException(); + } + model.addAttribute(CART_ATTRIBUTE, cart); + model.addAttribute("book", bookService.get(id)); + return CARD_VIEW; + } + + @PostMapping("/{id}") + public String addCartItem(@PathVariable(name = "id") Long id, Model model) { + if (id <= 0) { + throw new IllegalArgumentException(); + } + BookEntity book = bookService.get(id); + BookCountDto bookCountDto = new BookCountDto(); + bookCountDto.setBook(toBookDto(book)); + bookCountDto.setCount(1); + cart.put(id, bookCountDto); + return Constants.REDIRECT_VIEW + URL + "/" + id; + } +} diff --git a/src/main/java/com/example/backend/books/api/SearchController.java b/src/main/java/com/example/backend/books/api/SearchController.java new file mode 100644 index 0000000..95ad94b --- /dev/null +++ b/src/main/java/com/example/backend/books/api/SearchController.java @@ -0,0 +1,81 @@ +package com.example.backend.books.api; + +import org.modelmapper.ModelMapper; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.RequestMapping; +import org.springframework.web.bind.annotation.RequestParam; +import org.springframework.web.bind.annotation.PostMapping; +import org.springframework.web.servlet.mvc.support.RedirectAttributes; + +import com.example.backend.books.model.BookEntity; +import com.example.backend.books.service.BookService; +import com.example.backend.core.api.PageAttributesMapper; +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.session.SessionCart; +import com.example.backend.orders.api.BookCountDto; + +@Controller +@RequestMapping(SearchController.URL) +public class SearchController { + public static final String URL = "/search"; + private static final String SEARCH_VIEW = "search"; + + private static final String PAGE_ATTRIBUTE = "page"; + private static final String SEARCH_ATTRIBUTE = "searchInfo"; + private static final String SORT_ATTRIBUTE = "filter"; + private static final String CART_ATTRIBUTE = "cart"; + private static final String BOOKID_ATTRIBUTE = "bookId"; + + private final BookService bookService; + private final ModelMapper modelMapper; + private final SessionCart cart; + + public SearchController(BookService bookService, ModelMapper modelMapper, SessionCart cart) { + this.bookService = bookService; + this.modelMapper = modelMapper; + this.cart = cart; + } + + private BookDto toBookDto(BookEntity entity) { + return modelMapper.map(entity, BookDto.class); + } + + @GetMapping + public String search( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = SORT_ATTRIBUTE, defaultValue = "new") String filter, + @RequestParam(name = SEARCH_ATTRIBUTE, defaultValue = "") String searchInfo, + Model model) { + model.addAttribute(CART_ATTRIBUTE, cart); + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAttribute(SEARCH_ATTRIBUTE, searchInfo); + model.addAttribute(SORT_ATTRIBUTE, filter); + model.addAllAttributes(PageAttributesMapper.toAttributes( + bookService.getAllByFilters(0, page, Constants.DEFAULT_PAGE_SIZE, filter, searchInfo), + this::toBookDto)); + return SEARCH_VIEW; + } + + @PostMapping + public String addCartItem( + @RequestParam(name = BOOKID_ATTRIBUTE) Long bookId, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @RequestParam(name = SORT_ATTRIBUTE, defaultValue = "new") String filter, + @RequestParam(name = SEARCH_ATTRIBUTE, defaultValue = "") String searchInfo, + Model model, + RedirectAttributes redirectAttributes) { + BookEntity book = bookService.get(bookId); + BookCountDto bookCountDto = new BookCountDto(); + bookCountDto.setBook(toBookDto(book)); + bookCountDto.setCount(1); + cart.put(bookId, bookCountDto); + + redirectAttributes.addAttribute(SEARCH_ATTRIBUTE, searchInfo); + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + redirectAttributes.addAttribute(SORT_ATTRIBUTE, filter); + + return Constants.REDIRECT_VIEW + URL; + } +} diff --git a/src/main/java/com/example/backend/books/model/BookEntity.java b/src/main/java/com/example/backend/books/model/BookEntity.java index 825fd9b..01b2aa8 100644 --- a/src/main/java/com/example/backend/books/model/BookEntity.java +++ b/src/main/java/com/example/backend/books/model/BookEntity.java @@ -8,6 +8,7 @@ import com.example.backend.categories.model.CategoryEntity; import com.example.backend.ordersbooks.model.OrderBookEntity; import com.example.backend.core.model.BaseEntity; +import jakarta.persistence.CascadeType; import jakarta.persistence.Lob; import jakarta.persistence.Column; import jakarta.persistence.Entity; @@ -29,8 +30,6 @@ public class BookEntity extends BaseEntity { private String author; @Column(nullable = false) private Double price; - @Column(nullable = false) - private Integer count; @Lob private String description; @Lob @@ -46,15 +45,16 @@ public class BookEntity extends BaseEntity { private String coverType; private Integer circulation; private Integer weight; + @Lob private String image; - @OneToMany(mappedBy = "book") + @OneToMany(mappedBy = "book", cascade = CascadeType.REMOVE) @OrderBy("id ASC") private Set orderBooks = new HashSet<>(); public BookEntity() { } - public BookEntity(CategoryEntity category, String title, String author, Double price, Integer count, + public BookEntity(CategoryEntity category, String title, String author, Double price, String description, String annotation, String bookCode, String publisher, String series, Integer publicationYear, Integer pagesNum, String size, String coverType, Integer circulation, Integer weight, String image) { @@ -62,7 +62,6 @@ public class BookEntity extends BaseEntity { this.title = title; this.author = author; this.price = price; - this.count = count; this.description = description; this.annotation = annotation; this.bookCode = bookCode; @@ -109,14 +108,6 @@ public class BookEntity extends BaseEntity { this.price = price; } - public Integer getCount() { - return count; - } - - public void setCount(Integer count) { - this.count = count; - } - public String getDescription() { return description; } @@ -226,7 +217,7 @@ public class BookEntity extends BaseEntity { @Override public int hashCode() { - return Objects.hash(id, category, title, author, price, count, description, annotation, bookCode, publisher, + return Objects.hash(id, category, title, author, price, description, annotation, bookCode, publisher, series, publicationYear, pagesNum, size, coverType, circulation, weight, image); } @@ -242,7 +233,6 @@ public class BookEntity extends BaseEntity { && Objects.equals(other.getTitle(), title) && Objects.equals(other.getAuthor(), author) && Objects.equals(other.getPrice(), price) - && Objects.equals(other.getCount(), count) && Objects.equals(other.getDescription(), description) && Objects.equals(other.getAnnotation(), annotation) && Objects.equals(other.getBookCode(), bookCode) diff --git a/src/main/java/com/example/backend/books/repository/BookRepository.java b/src/main/java/com/example/backend/books/repository/BookRepository.java index 635c9d5..eba1c2a 100644 --- a/src/main/java/com/example/backend/books/repository/BookRepository.java +++ b/src/main/java/com/example/backend/books/repository/BookRepository.java @@ -4,13 +4,24 @@ import java.util.List; import org.springframework.data.domain.Page; import org.springframework.data.domain.Pageable; +import org.springframework.data.jpa.repository.Query; import org.springframework.data.repository.CrudRepository; import org.springframework.data.repository.PagingAndSortingRepository; +import org.springframework.data.repository.query.Param; import com.example.backend.books.model.BookEntity; public interface BookRepository extends CrudRepository, PagingAndSortingRepository { List findByCategoryId(long categoryId); + List findByIdIn(List ids); + Page findByCategoryId(long categoryId, Pageable pageable); + + @Query("SELECT b FROM BookEntity b WHERE (:categoryId IS NULL OR b.category.id = :categoryId) " + + "AND ((:searchInfo IS NULL OR LOWER(b.title) LIKE %:searchInfo%) " + + "OR (:searchInfo IS NULL OR LOWER(b.author) LIKE %:searchInfo%))") + Page findAllByFilters(@Param("categoryId") Long categoryId, + @Param("searchInfo") String searchInfo, + Pageable pageable); } diff --git a/src/main/java/com/example/backend/books/service/BookService.java b/src/main/java/com/example/backend/books/service/BookService.java index aa6d4b1..62a8639 100644 --- a/src/main/java/com/example/backend/books/service/BookService.java +++ b/src/main/java/com/example/backend/books/service/BookService.java @@ -1,11 +1,16 @@ package com.example.backend.books.service; +import java.util.ArrayList; import java.util.List; +import java.util.Map; +import java.util.stream.Collectors; import java.util.stream.StreamSupport; import org.springframework.data.domain.Page; import org.springframework.data.domain.PageRequest; import org.springframework.data.domain.Pageable; +import org.springframework.data.domain.Sort; +import org.springframework.data.domain.Sort.Order; import org.springframework.stereotype.Service; import org.springframework.transaction.annotation.Transactional; @@ -38,6 +43,40 @@ public class BookService { return repository.findByCategoryId(categoryId, pageRequest); } + @Transactional(readOnly = true) + public Page getAllByFilters(long categoryId, int page, int size, String sortType, String searchInfo) { + Sort sort = Sort.by(new Order(Sort.Direction.DESC, "publicationYear")); + if (sortType != null && !sortType.isEmpty()) { + sort = Sort.by(getSortInfo(sortType)); + } + + Pageable pageRequest = PageRequest.of(page, size, sort); + Long categoryIdWrapper = categoryId > 0L ? categoryId : null; + String searchInfoWrapper = searchInfo != null && !searchInfo.isEmpty() ? searchInfo.toLowerCase() : null; + + return repository.findAllByFilters(categoryIdWrapper, searchInfoWrapper, pageRequest); + } + + @Transactional(readOnly = true) + public List getByIds(List ids) { + if (ids == null || ids.isEmpty()) { + return new ArrayList<>(); + } + List allEntities = repository.findByIdIn(ids); + + Map entityMap = allEntities.stream() + .collect(Collectors.toMap(BookEntity::getId, entity -> entity)); + List sortedEntities = new ArrayList<>(); + for (Long id : ids) { + BookEntity entity = entityMap.get(id); + if (entity != null) { + sortedEntities.add(entity); + } + } + + return sortedEntities; + } + @Transactional(readOnly = true) public BookEntity get(long id) { return repository.findById(id) @@ -59,7 +98,6 @@ public class BookService { existsEntity.setTitle(entity.getTitle()); existsEntity.setAuthor(entity.getAuthor()); existsEntity.setPrice(entity.getPrice()); - existsEntity.setCount(entity.getCount()); existsEntity.setDescription(entity.getDescription()); existsEntity.setAnnotation(entity.getAnnotation()); existsEntity.setBookCode(entity.getBookCode()); @@ -81,4 +119,18 @@ public class BookService { repository.delete(existsEntity); return existsEntity; } + + private Order getSortInfo(String type) { + switch (type) { + case "cheap": + return new Order(Sort.Direction.ASC, "price"); + case "expensive": + return new Order(Sort.Direction.DESC, "price"); + case "new": + return new Order(Sort.Direction.DESC, "publicationYear"); + default: + throw new IllegalArgumentException("Unknown sort type: " + type); + } + } + } diff --git a/src/main/java/com/example/backend/categories/api/CategoryController.java b/src/main/java/com/example/backend/categories/api/CategoryController.java index 02076dd..93cacf8 100644 --- a/src/main/java/com/example/backend/categories/api/CategoryController.java +++ b/src/main/java/com/example/backend/categories/api/CategoryController.java @@ -1,16 +1,14 @@ package com.example.backend.categories.api; -import java.util.List; - import org.modelmapper.ModelMapper; -import org.springframework.web.bind.annotation.DeleteMapping; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.validation.BindingResult; import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.PostMapping; -import org.springframework.web.bind.annotation.PutMapping; -import org.springframework.web.bind.annotation.RequestBody; import org.springframework.web.bind.annotation.RequestMapping; -import org.springframework.web.bind.annotation.RestController; import com.example.backend.categories.model.CategoryEntity; import com.example.backend.categories.service.CategoryService; @@ -18,9 +16,14 @@ import com.example.backend.core.configuration.Constants; import jakarta.validation.Valid; -@RestController -@RequestMapping(Constants.API_URL + "/category") +@Controller +@RequestMapping(CategoryController.URL) public class CategoryController { + public static final String URL = Constants.ADMIN_PREFIX + "/category"; + private static final String CATEGORY_VIEW = "category"; + private static final String CATEGORY_EDIT_VIEW = "category-edit"; + private static final String CATEGORY_ATTRIBUTE = "category"; + private final CategoryService categoryService; private final ModelMapper modelMapper; @@ -38,27 +41,64 @@ public class CategoryController { } @GetMapping - public List getAll() { - return categoryService.getAll().stream().map(this::toDto).toList(); + public String getAll(Model model) { + model.addAttribute( + "categories", + categoryService.getAll().stream() + .map(this::toDto) + .toList()); + return CATEGORY_VIEW; } - @GetMapping("/{id}") - public CategoryDto get(@PathVariable(name = "id") Long id) { - return toDto(categoryService.get(id)); + @GetMapping("/edit/") + public String create(Model model) { + model.addAttribute(CATEGORY_ATTRIBUTE, new CategoryDto()); + return CATEGORY_EDIT_VIEW; } - @PostMapping - public CategoryDto create(@RequestBody @Valid CategoryDto dto) { - return toDto(categoryService.create(toEntity(dto))); + @PostMapping("/edit/") + public String create( + @ModelAttribute(name = CATEGORY_ATTRIBUTE) @Valid CategoryDto category, + BindingResult bindingResult, + Model model) { + if (bindingResult.hasErrors()) { + return CATEGORY_EDIT_VIEW; + } + categoryService.create(toEntity(category)); + return Constants.REDIRECT_VIEW + URL; } - @PutMapping("/{id}") - public CategoryDto update(@PathVariable(name = "id") Long id, @RequestBody @Valid CategoryDto dto) { - return toDto(categoryService.update(id, toEntity(dto))); + @GetMapping("/edit/{id}") + public String update( + @PathVariable(name = "id") Long id, + Model model) { + if (id <= 0) { + throw new IllegalArgumentException(); + } + model.addAttribute(CATEGORY_ATTRIBUTE, toDto(categoryService.get(id))); + return CATEGORY_EDIT_VIEW; } - @DeleteMapping("/{id}") - public CategoryDto delete(@PathVariable(name = "id") Long id) { - return toDto(categoryService.delete(id)); + @PostMapping("/edit/{id}") + public String update( + @PathVariable(name = "id") Long id, + @ModelAttribute(name = CATEGORY_ATTRIBUTE) @Valid CategoryDto category, + BindingResult bindingResult, + Model model) { + if (bindingResult.hasErrors()) { + return CATEGORY_EDIT_VIEW; + } + if (id <= 0) { + throw new IllegalArgumentException(); + } + categoryService.update(id, toEntity(category)); + return Constants.REDIRECT_VIEW + URL; + } + + @PostMapping("/delete/{id}") + public String delete( + @PathVariable(name = "id") Long id) { + categoryService.delete(id); + return Constants.REDIRECT_VIEW + URL; } } diff --git a/src/main/java/com/example/backend/categories/api/CategoryDto.java b/src/main/java/com/example/backend/categories/api/CategoryDto.java index 3777589..8176b64 100644 --- a/src/main/java/com/example/backend/categories/api/CategoryDto.java +++ b/src/main/java/com/example/backend/categories/api/CategoryDto.java @@ -1,12 +1,9 @@ package com.example.backend.categories.api; -import com.fasterxml.jackson.annotation.JsonProperty; - import jakarta.validation.constraints.NotBlank; import jakarta.validation.constraints.Size; public class CategoryDto { - @JsonProperty(access = JsonProperty.Access.READ_ONLY) private Long id; @NotBlank @Size(min = 3, max = 50) diff --git a/src/main/java/com/example/backend/categories/repository/CategoryRepository.java b/src/main/java/com/example/backend/categories/repository/CategoryRepository.java index 187117a..539fa36 100644 --- a/src/main/java/com/example/backend/categories/repository/CategoryRepository.java +++ b/src/main/java/com/example/backend/categories/repository/CategoryRepository.java @@ -1,11 +1,17 @@ package com.example.backend.categories.repository; +import java.util.List; import java.util.Optional; +import org.springframework.data.domain.Sort; +import org.springframework.data.jpa.repository.Query; import org.springframework.data.repository.CrudRepository; import com.example.backend.categories.model.CategoryEntity; public interface CategoryRepository extends CrudRepository { Optional findByNameIgnoreCase(String name); + + @Query("SELECT c FROM CategoryEntity c") + List findAll(Sort sort); } diff --git a/src/main/java/com/example/backend/categories/service/CategoryService.java b/src/main/java/com/example/backend/categories/service/CategoryService.java index 9925db6..36b861a 100644 --- a/src/main/java/com/example/backend/categories/service/CategoryService.java +++ b/src/main/java/com/example/backend/categories/service/CategoryService.java @@ -1,8 +1,8 @@ package com.example.backend.categories.service; import java.util.List; -import java.util.stream.StreamSupport; +import org.springframework.data.domain.Sort; import org.springframework.stereotype.Service; import org.springframework.transaction.annotation.Transactional; @@ -27,7 +27,8 @@ public class CategoryService { @Transactional(readOnly = true) public List getAll() { - return StreamSupport.stream(repository.findAll().spliterator(), false).toList(); + Sort sortById = Sort.by(Sort.Direction.ASC, "id"); + return repository.findAll(sortById); } @Transactional(readOnly = true) diff --git a/src/main/java/com/example/backend/core/api/AdminController.java b/src/main/java/com/example/backend/core/api/AdminController.java new file mode 100644 index 0000000..8215904 --- /dev/null +++ b/src/main/java/com/example/backend/core/api/AdminController.java @@ -0,0 +1,19 @@ +package com.example.backend.core.api; + +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.RequestMapping; + +@Controller +@RequestMapping(AdminController.URL) +public class AdminController { + public static final String URL = "/admin"; + + private static final String ADMIN_VIEW = "admin"; + + @GetMapping + public String getContacts(Model model) { + return ADMIN_VIEW; + } +} diff --git a/src/main/java/com/example/backend/core/api/ContactsController.java b/src/main/java/com/example/backend/core/api/ContactsController.java new file mode 100644 index 0000000..e32aeed --- /dev/null +++ b/src/main/java/com/example/backend/core/api/ContactsController.java @@ -0,0 +1,19 @@ +package com.example.backend.core.api; + +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.RequestMapping; + +@Controller +@RequestMapping(ContactsController.URL) +public class ContactsController { + public static final String URL = "/contacts"; + + private static final String CONTACTS_VIEW = "contacts"; + + @GetMapping + public String getContacts(Model model) { + return CONTACTS_VIEW; + } +} diff --git a/src/main/java/com/example/backend/core/api/GlobalController.java b/src/main/java/com/example/backend/core/api/GlobalController.java new file mode 100644 index 0000000..72e9fc9 --- /dev/null +++ b/src/main/java/com/example/backend/core/api/GlobalController.java @@ -0,0 +1,28 @@ +package com.example.backend.core.api; + +import org.springframework.web.bind.annotation.ControllerAdvice; +import org.springframework.web.bind.annotation.ModelAttribute; + +import com.example.backend.core.session.SessionCart; + +import jakarta.servlet.http.HttpServletRequest; +import jakarta.servlet.http.HttpSession; + +@ControllerAdvice +public class GlobalController { + private final SessionCart cart; + + public GlobalController(SessionCart cart) { + this.cart = cart; + } + + @ModelAttribute("servletPath") + String getRequestServletPath(HttpServletRequest request) { + return request.getServletPath(); + } + + @ModelAttribute("totalCart") + int getTotalCart(HttpSession session) { + return cart.getCount(); + } +} diff --git a/src/main/java/com/example/backend/core/api/PageAttributesMapper.java b/src/main/java/com/example/backend/core/api/PageAttributesMapper.java new file mode 100644 index 0000000..cf2598a --- /dev/null +++ b/src/main/java/com/example/backend/core/api/PageAttributesMapper.java @@ -0,0 +1,18 @@ +package com.example.backend.core.api; + +import java.util.Map; +import java.util.function.Function; + +import org.springframework.data.domain.Page; + +public class PageAttributesMapper { + private PageAttributesMapper() { + } + + public static Map toAttributes(Page page, Function mapper) { + return Map.of( + "items", page.getContent().stream().map(mapper::apply).toList(), + "currentPage", page.getNumber(), + "totalPages", page.getTotalPages()); + } +} diff --git a/src/main/java/com/example/backend/core/api/PageDto.java b/src/main/java/com/example/backend/core/api/PageDto.java deleted file mode 100644 index b0ea6e2..0000000 --- a/src/main/java/com/example/backend/core/api/PageDto.java +++ /dev/null @@ -1,97 +0,0 @@ -package com.example.backend.core.api; - -import java.util.ArrayList; -import java.util.List; - -public class PageDto { - private List items = new ArrayList<>(); - private int itemsCount; - private int currentPage; - private int currentSize; - private int totalPages; - private long totalItems; - private boolean isFirst; - private boolean isLast; - private boolean hasNext; - private boolean hasPrevious; - - public List getItems() { - return items; - } - - public void setItems(List items) { - this.items = items; - } - - public int getItemsCount() { - return itemsCount; - } - - public void setItemsCount(int itemsCount) { - this.itemsCount = itemsCount; - } - - public int getCurrentPage() { - return currentPage; - } - - public void setCurrentPage(int currentPage) { - this.currentPage = currentPage; - } - - public int getCurrentSize() { - return currentSize; - } - - public void setCurrentSize(int currentSize) { - this.currentSize = currentSize; - } - - public int getTotalPages() { - return totalPages; - } - - public void setTotalPages(int totalPages) { - this.totalPages = totalPages; - } - - public long getTotalItems() { - return totalItems; - } - - public void setTotalItems(long totalItems) { - this.totalItems = totalItems; - } - - public boolean isFirst() { - return isFirst; - } - - public void setFirst(boolean isFirst) { - this.isFirst = isFirst; - } - - public boolean isLast() { - return isLast; - } - - public void setLast(boolean isLast) { - this.isLast = isLast; - } - - public boolean isHasNext() { - return hasNext; - } - - public void setHasNext(boolean hasNext) { - this.hasNext = hasNext; - } - - public boolean isHasPrevious() { - return hasPrevious; - } - - public void setHasPrevious(boolean hasPrevious) { - this.hasPrevious = hasPrevious; - } -} diff --git a/src/main/java/com/example/backend/core/api/PageDtoMapper.java b/src/main/java/com/example/backend/core/api/PageDtoMapper.java deleted file mode 100644 index 102ab70..0000000 --- a/src/main/java/com/example/backend/core/api/PageDtoMapper.java +++ /dev/null @@ -1,25 +0,0 @@ -package com.example.backend.core.api; - -import java.util.function.Function; - -import org.springframework.data.domain.Page; - -public class PageDtoMapper { - private PageDtoMapper() { - } - - public static PageDto toDto(Page page, Function mapper) { - final PageDto dto = new PageDto<>(); - dto.setItems(page.getContent().stream().map(mapper::apply).toList()); - dto.setItemsCount(page.getNumberOfElements()); - dto.setCurrentPage(page.getNumber()); - dto.setCurrentSize(page.getSize()); - dto.setTotalPages(page.getTotalPages()); - dto.setTotalItems(page.getTotalElements()); - dto.setFirst(page.isFirst()); - dto.setLast(page.isLast()); - dto.setHasNext(page.hasNext()); - dto.setHasPrevious(page.hasPrevious()); - return dto; - } -} diff --git a/src/main/java/com/example/backend/core/configuration/Constants.java b/src/main/java/com/example/backend/core/configuration/Constants.java index 8bc3573..578f81f 100644 --- a/src/main/java/com/example/backend/core/configuration/Constants.java +++ b/src/main/java/com/example/backend/core/configuration/Constants.java @@ -3,9 +3,16 @@ package com.example.backend.core.configuration; public class Constants { public static final String SEQUENCE_NAME = "hibernate_sequence"; - public static final String API_URL = "/api/1.0"; + public static final int DEFAULT_PAGE_SIZE = 8; - public static final String DEFAULT_PAGE_SIZE = "5"; + public static final String REDIRECT_VIEW = "redirect:"; + + public static final String ADMIN_PREFIX = "/admin"; + + public static final String LOGIN_URL = "/login"; + public static final String LOGOUT_URL = "/logout"; + + public static final String DEFAULT_PASSWORD = "123456"; private Constants() { } diff --git a/src/main/java/com/example/backend/core/configuration/MapperConfiguration.java b/src/main/java/com/example/backend/core/configuration/MapperConfiguration.java index 7e5c473..c6b464d 100644 --- a/src/main/java/com/example/backend/core/configuration/MapperConfiguration.java +++ b/src/main/java/com/example/backend/core/configuration/MapperConfiguration.java @@ -1,9 +1,11 @@ package com.example.backend.core.configuration; import org.modelmapper.ModelMapper; +import org.modelmapper.PropertyMap; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; +import com.example.backend.core.model.BaseEntity; import com.example.backend.orders.api.OrderDto; import com.example.backend.orders.model.OrderEntity; @@ -13,6 +15,12 @@ public class MapperConfiguration { ModelMapper modelMapper() { ModelMapper modelMapper = new ModelMapper(); modelMapper.typeMap(OrderEntity.class, OrderDto.class).addMappings(mapper -> mapper.skip(OrderDto::setBooks)); + modelMapper.addMappings(new PropertyMap() { + @Override + protected void configure() { + skip(destination.getId()); + } + }); return modelMapper; } } diff --git a/src/main/java/com/example/backend/core/configuration/WebConfiguration.java b/src/main/java/com/example/backend/core/configuration/WebConfiguration.java index 33afc53..04c5dbe 100644 --- a/src/main/java/com/example/backend/core/configuration/WebConfiguration.java +++ b/src/main/java/com/example/backend/core/configuration/WebConfiguration.java @@ -1,15 +1,13 @@ package com.example.backend.core.configuration; import org.springframework.context.annotation.Configuration; -import org.springframework.lang.NonNull; -import org.springframework.web.servlet.config.annotation.CorsRegistry; +import org.springframework.web.servlet.config.annotation.ViewControllerRegistry; import org.springframework.web.servlet.config.annotation.WebMvcConfigurer; @Configuration public class WebConfiguration implements WebMvcConfigurer { @Override - public void addCorsMappings(@NonNull CorsRegistry registry) { - registry.addMapping("/**") - .allowedMethods("GET", "POST", "PUT", "DELETE"); + public void addViewControllers(ViewControllerRegistry registry) { + registry.addViewController("/login").setViewName("login"); } } diff --git a/src/main/java/com/example/backend/core/error/AdviceController.java b/src/main/java/com/example/backend/core/error/AdviceController.java new file mode 100644 index 0000000..6b2ca21 --- /dev/null +++ b/src/main/java/com/example/backend/core/error/AdviceController.java @@ -0,0 +1,53 @@ +package com.example.backend.core.error; + +import java.util.Map; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; +import org.springframework.core.annotation.AnnotationUtils; +import org.springframework.web.bind.annotation.ControllerAdvice; +import org.springframework.web.bind.annotation.ExceptionHandler; +import org.springframework.web.bind.annotation.ResponseStatus; +import org.springframework.web.servlet.ModelAndView; + +import jakarta.servlet.http.HttpServletRequest; + +@ControllerAdvice +public class AdviceController { + private final Logger log = LoggerFactory.getLogger(AdviceController.class); + + private static Throwable getRootCause(Throwable throwable) { + Throwable rootCause = throwable; + while (rootCause.getCause() != null && rootCause.getCause() != rootCause) { + rootCause = rootCause.getCause(); + } + return rootCause; + } + + private static Map getAttributes(HttpServletRequest request, Throwable throwable) { + final Throwable rootCause = getRootCause(throwable); + final StackTraceElement firstError = rootCause.getStackTrace()[0]; + return Map.of( + "message", rootCause.getMessage(), + "url", request.getRequestURL(), + "exception", rootCause.getClass().getName(), + "file", firstError.getFileName(), + "method", firstError.getMethodName(), + "line", firstError.getLineNumber()); + } + + @ExceptionHandler(value = Exception.class) + public ModelAndView defaultErrorHandler(HttpServletRequest request, Throwable throwable) throws Throwable { + if (AnnotationUtils.findAnnotation(throwable.getClass(), + ResponseStatus.class) != null) { + throw throwable; + } + + log.error("{}", throwable.getMessage()); + throwable.printStackTrace(); + final ModelAndView model = new ModelAndView(); + model.addAllObjects(getAttributes(request, throwable)); + model.setViewName("error"); + return model; + } +} diff --git a/src/main/java/com/example/backend/core/security/SecurityConfiguration.java b/src/main/java/com/example/backend/core/security/SecurityConfiguration.java new file mode 100644 index 0000000..72fd877 --- /dev/null +++ b/src/main/java/com/example/backend/core/security/SecurityConfiguration.java @@ -0,0 +1,71 @@ +package com.example.backend.core.security; + +import org.springframework.context.annotation.Bean; +import org.springframework.context.annotation.Configuration; +import org.springframework.security.authentication.dao.DaoAuthenticationProvider; +import org.springframework.security.config.Customizer; +import org.springframework.security.config.annotation.web.builders.HttpSecurity; +import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity; +import org.springframework.security.config.annotation.web.configurers.AbstractHttpConfigurer; +import org.springframework.security.config.annotation.web.configurers.HeadersConfigurer.FrameOptionsConfig; +import org.springframework.security.core.userdetails.UserDetailsService; +import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder; +import org.springframework.security.crypto.password.PasswordEncoder; +import org.springframework.security.web.SecurityFilterChain; + +import com.example.backend.core.configuration.Constants; +import com.example.backend.users.api.UserSignupController; +import com.example.backend.users.model.UserRole; + +@Configuration +@EnableWebSecurity +public class SecurityConfiguration { + @Bean + SecurityFilterChain filterChain(HttpSecurity httpSecurity) throws Exception { + httpSecurity.headers(headers -> headers.frameOptions(FrameOptionsConfig::sameOrigin)); + httpSecurity.csrf(AbstractHttpConfigurer::disable); + httpSecurity.cors(Customizer.withDefaults()); + + httpSecurity.authorizeHttpRequests(requests -> requests + .requestMatchers("/css/**", "/webjars/**", "/*.svg", "/*.png", "/static/**") + .permitAll()); + + httpSecurity.authorizeHttpRequests(requests -> requests + .requestMatchers(Constants.ADMIN_PREFIX + "/**") + .hasAnyRole(UserRole.ADMIN.name(), UserRole.SUPERADMIN.name()) + .requestMatchers("/h2-console/**").hasAnyRole(UserRole.ADMIN.name(), UserRole.SUPERADMIN.name()) + .requestMatchers(UserSignupController.URL).anonymous() + .requestMatchers(Constants.LOGIN_URL).anonymous() + .requestMatchers("/cart/**").permitAll() + .requestMatchers("/catalog/**").permitAll() + .requestMatchers("/catalog-mobile/**").permitAll() + .requestMatchers("/contacts/**").permitAll() + .requestMatchers("/").permitAll() + .requestMatchers("/product-card/**").permitAll() + .requestMatchers("/search/**").permitAll() + .anyRequest().authenticated()); + + httpSecurity.formLogin(formLogin -> formLogin + .loginPage(Constants.LOGIN_URL)); + + httpSecurity.rememberMe(rememberMe -> rememberMe.key("uniqueAndSecret")); + + httpSecurity.logout(logout -> logout + .deleteCookies("JSESSIONID")); + + return httpSecurity.build(); + } + + @Bean + DaoAuthenticationProvider authenticationProvider(UserDetailsService userDetailsService) { + final DaoAuthenticationProvider authProvider = new DaoAuthenticationProvider(); + authProvider.setUserDetailsService(userDetailsService); + authProvider.setPasswordEncoder(passwordEncoder()); + return authProvider; + } + + @Bean + PasswordEncoder passwordEncoder() { + return new BCryptPasswordEncoder(); + } +} diff --git a/src/main/java/com/example/backend/core/security/UserPrincipal.java b/src/main/java/com/example/backend/core/security/UserPrincipal.java new file mode 100644 index 0000000..d51cf25 --- /dev/null +++ b/src/main/java/com/example/backend/core/security/UserPrincipal.java @@ -0,0 +1,64 @@ +package com.example.backend.core.security; + +import java.util.Collection; +import java.util.Set; + +import org.springframework.security.core.GrantedAuthority; +import org.springframework.security.core.userdetails.UserDetails; + +import com.example.backend.users.model.UserEntity; + +public class UserPrincipal implements UserDetails { + private final long id; + private final String username; + private final String password; + private final Set roles; + private final boolean active; + + public UserPrincipal(UserEntity user) { + this.id = user.getId(); + this.username = user.getLogin(); + this.password = user.getPassword(); + this.roles = Set.of(user.getRole()); + this.active = true; + } + + public Long getId() { + return id; + } + + @Override + public String getUsername() { + return username; + } + + @Override + public String getPassword() { + return password; + } + + @Override + public Collection getAuthorities() { + return roles; + } + + @Override + public boolean isEnabled() { + return active; + } + + @Override + public boolean isAccountNonExpired() { + return isEnabled(); + } + + @Override + public boolean isAccountNonLocked() { + return isEnabled(); + } + + @Override + public boolean isCredentialsNonExpired() { + return isEnabled(); + } +} diff --git a/src/main/java/com/example/backend/core/session/SessionCart.java b/src/main/java/com/example/backend/core/session/SessionCart.java new file mode 100644 index 0000000..1cc713f --- /dev/null +++ b/src/main/java/com/example/backend/core/session/SessionCart.java @@ -0,0 +1,18 @@ +package com.example.backend.core.session; + +import java.util.HashMap; + +import com.example.backend.orders.api.BookCountDto; + +public class SessionCart extends HashMap { + public int getCount() { + return this.size(); + } + + public double getSum() { + return this.values().stream() + .map(item -> item.getCount() * item.getBook().getPrice()) + .mapToDouble(Double::doubleValue) + .sum(); + } +} diff --git a/src/main/java/com/example/backend/core/session/SessionHelper.java b/src/main/java/com/example/backend/core/session/SessionHelper.java new file mode 100644 index 0000000..45537b2 --- /dev/null +++ b/src/main/java/com/example/backend/core/session/SessionHelper.java @@ -0,0 +1,16 @@ +package com.example.backend.core.session; + +import org.springframework.context.annotation.Bean; +import org.springframework.context.annotation.Configuration; +import org.springframework.context.annotation.Scope; +import org.springframework.context.annotation.ScopedProxyMode; +import org.springframework.web.context.WebApplicationContext; + +@Configuration +public class SessionHelper { + @Bean + @Scope(value = WebApplicationContext.SCOPE_SESSION, proxyMode = ScopedProxyMode.TARGET_CLASS) + SessionCart todos() { + return new SessionCart(); + } +} diff --git a/src/main/java/com/example/backend/core/utils/NumMorph.java b/src/main/java/com/example/backend/core/utils/NumMorph.java new file mode 100644 index 0000000..d4b8b40 --- /dev/null +++ b/src/main/java/com/example/backend/core/utils/NumMorph.java @@ -0,0 +1,23 @@ +package com.example.backend.core.utils; + +public final class NumMorph { + private NumMorph() { + } + + public static String numMorph(int n, String f1, String f2, String f3) { + int n1 = Math.abs(n) % 100; + + if (n1 >= 11 && n1 <= 19) { + return f3; + } + + int n2 = n % 10; + if (n2 == 1) { + return f1; + } + if (n2 > 1 && n2 < 5) { + return f2; + } + return f3; + } +} diff --git a/src/main/java/com/example/backend/core/utils/ToBase64.java b/src/main/java/com/example/backend/core/utils/ToBase64.java new file mode 100644 index 0000000..be588e5 --- /dev/null +++ b/src/main/java/com/example/backend/core/utils/ToBase64.java @@ -0,0 +1,24 @@ +package com.example.backend.core.utils; + +import org.springframework.web.multipart.MultipartFile; + +import java.io.IOException; +import java.util.Base64; + +public final class ToBase64 { + private ToBase64() { + } + + public static String getBase64FromFile(MultipartFile file) { + if (file != null && !file.isEmpty()) { + try { + String mimeType = file.getContentType(); + byte[] bytes = file.getBytes(); + return "data:" + mimeType + ";base64," + Base64.getEncoder().encodeToString(bytes); + } catch (IOException e) { + e.printStackTrace(); + } + } + return ""; + } +} diff --git a/src/main/java/com/example/backend/orders/api/BookCountDto.java b/src/main/java/com/example/backend/orders/api/BookCountDto.java new file mode 100644 index 0000000..a9fbdc3 --- /dev/null +++ b/src/main/java/com/example/backend/orders/api/BookCountDto.java @@ -0,0 +1,24 @@ +package com.example.backend.orders.api; + +import com.example.backend.books.api.BookDto; + +public class BookCountDto { + private BookDto book; + private Integer count; + + public BookDto getBook() { + return book; + } + + public void setBook(BookDto book) { + this.book = book; + } + + public Integer getCount() { + return count; + } + + public void setCount(Integer count) { + this.count = count; + } +} diff --git a/src/main/java/com/example/backend/orders/api/OrderController.java b/src/main/java/com/example/backend/orders/api/OrderController.java index 32f7ce2..a61ed2f 100644 --- a/src/main/java/com/example/backend/orders/api/OrderController.java +++ b/src/main/java/com/example/backend/orders/api/OrderController.java @@ -1,35 +1,34 @@ package com.example.backend.orders.api; -import java.text.ParseException; - -import java.util.Date; import java.util.Map; -import java.util.stream.Collectors; import org.modelmapper.ModelMapper; -import org.springframework.web.bind.annotation.DeleteMapping; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PathVariable; -import org.springframework.web.bind.annotation.PostMapping; -import org.springframework.web.bind.annotation.RequestBody; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestParam; -import org.springframework.web.bind.annotation.RestController; +import org.springframework.web.bind.annotation.PostMapping; +import org.springframework.web.servlet.mvc.support.RedirectAttributes; -import com.example.backend.core.api.PageDto; -import com.example.backend.core.api.PageDtoMapper; -import com.example.backend.orders.model.OrderEntity; -import com.example.backend.orders.service.OrderService; -import com.example.backend.core.configuration.Constants; -import com.example.backend.core.utils.Formatter; import com.example.backend.books.api.BookDto; import com.example.backend.books.model.BookEntity; +import com.example.backend.core.api.PageAttributesMapper; +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.utils.Formatter; +import com.example.backend.orders.model.OrderEntity; +import com.example.backend.orders.service.OrderService; -import jakarta.validation.Valid; - -@RestController -@RequestMapping(Constants.API_URL + "/user/{user}/order") +@Controller +@RequestMapping(OrderController.URL) public class OrderController { + public static final String URL = Constants.ADMIN_PREFIX + "/order"; + private static final String ORDER_VIEW = "order"; + private static final String ORDER_CHECK_VIEW = "order-check"; + private static final String ORDER_ATTRIBUTE = "order"; + private static final String PAGE_ATTRIBUTE = "page"; + private final OrderService orderService; private final ModelMapper modelMapper; @@ -38,6 +37,10 @@ public class OrderController { this.modelMapper = modelMapper; } + private BookDto toBookDto(BookEntity entity) { + return modelMapper.map(entity, BookDto.class); + } + private OrderDto toDto(OrderEntity entity) { final OrderDto dto = modelMapper.map(entity, OrderDto.class); dto.setDate(Formatter.format(entity.getDate())); @@ -45,50 +48,45 @@ public class OrderController { dto.setCount(orderService.getFullCount(entity.getUser().getId(), entity.getId())); dto.setBooks(orderService.getOrderBooks(entity.getUser().getId(), entity .getId()).stream() - .map(orderBook -> toBookDto(orderBook.getBook())) + .map(orderBook -> { + BookCountDto bookCountDto = new BookCountDto(); + bookCountDto.setBook(toBookDto(orderBook.getBook())); + bookCountDto.setCount(orderBook.getCount()); + return bookCountDto; + }) .toList()); return dto; } - private BookDto toBookDto(BookEntity entity) { - return modelMapper.map(entity, BookDto.class); - } - - private OrderEntity toEntity(OrderDto dto) throws ParseException { - final OrderEntity entity = modelMapper.map(dto, OrderEntity.class); - entity.setDate(Formatter.parse(dto.getDate())); - return entity; - } - @GetMapping - public PageDto getAll( - @PathVariable(name = "user") Long userId, - @RequestParam(name = "page", defaultValue = "0") int page, - @RequestParam(name = "size", defaultValue = Constants.DEFAULT_PAGE_SIZE) int size) { - return PageDtoMapper.toDto(orderService.getAll(userId, page, size), this::toDto); + public String getAll( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + Model model) { + final Map attributes = PageAttributesMapper + .toAttributes(orderService.getAll(0L, page, Constants.DEFAULT_PAGE_SIZE), + this::toDto); + model.addAllAttributes(attributes); + model.addAttribute(PAGE_ATTRIBUTE, page); + return ORDER_VIEW; } - @GetMapping("/{id}") - public OrderDto get( - @PathVariable(name = "user") Long userId, - @PathVariable(name = "id") Long id) { - return toDto(orderService.get(userId, id)); + @GetMapping("/check/{id}") + public String checkOrder( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + Model model) { + model.addAttribute(ORDER_ATTRIBUTE, toDto(orderService.get(0L, id))); + model.addAttribute(PAGE_ATTRIBUTE, page); + return ORDER_CHECK_VIEW; } - @PostMapping - public OrderDto create( - @PathVariable(name = "user") Long userId, - @RequestBody @Valid OrderDto dto) throws ParseException { - dto.setDate(Formatter.format(new Date())); - Map booksIdsCount = dto.getOrderInfo().stream() - .collect(Collectors.toMap(OrderBookDto::getBookId, OrderBookDto::getCount)); - return toDto(orderService.create(userId, toEntity(dto), booksIdsCount)); + @PostMapping("/delete/{id}") + public String delete( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + RedirectAttributes redirectAttributes) { + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + orderService.delete(0L, id); + return Constants.REDIRECT_VIEW + URL; } - - @DeleteMapping("/{id}") - public OrderDto delete( - @PathVariable(name = "user") Long userId, - @PathVariable(name = "id") Long id) { - return toDto(orderService.delete(userId, id)); - } -} +} \ No newline at end of file diff --git a/src/main/java/com/example/backend/orders/api/OrderDto.java b/src/main/java/com/example/backend/orders/api/OrderDto.java index ecf080d..6b0aef1 100644 --- a/src/main/java/com/example/backend/orders/api/OrderDto.java +++ b/src/main/java/com/example/backend/orders/api/OrderDto.java @@ -1,29 +1,14 @@ package com.example.backend.orders.api; -import com.example.backend.books.api.BookDto; -import com.fasterxml.jackson.annotation.JsonProperty; - import java.util.List; -import jakarta.validation.constraints.NotBlank; - public class OrderDto { - @JsonProperty(access = JsonProperty.Access.READ_ONLY) private Long id; - @JsonProperty(access = JsonProperty.Access.READ_ONLY) private Double sum; - @JsonProperty(access = JsonProperty.Access.READ_ONLY) private Integer count; - @JsonProperty(access = JsonProperty.Access.READ_ONLY) private String date; - @NotBlank - private String status; - @NotBlank - private String shippingAddress; - @JsonProperty(access = JsonProperty.Access.WRITE_ONLY) private List orderInfo; - @JsonProperty(access = JsonProperty.Access.READ_ONLY) - private List books; + private List books; public Long getId() { return id; @@ -57,22 +42,6 @@ public class OrderDto { this.date = date; } - public String getStatus() { - return status; - } - - public void setStatus(String status) { - this.status = status; - } - - public String getShippingAddress() { - return shippingAddress; - } - - public void setShippingAddress(String shippingAddress) { - this.shippingAddress = shippingAddress; - } - public List getOrderInfo() { return orderInfo; } @@ -81,11 +50,11 @@ public class OrderDto { this.orderInfo = orderInfo; } - public List getBooks() { + public List getBooks() { return books; } - public void setBooks(List books) { + public void setBooks(List books) { this.books = books; } } diff --git a/src/main/java/com/example/backend/orders/model/OrderEntity.java b/src/main/java/com/example/backend/orders/model/OrderEntity.java index ea996a1..21aa001 100644 --- a/src/main/java/com/example/backend/orders/model/OrderEntity.java +++ b/src/main/java/com/example/backend/orders/model/OrderEntity.java @@ -25,11 +25,7 @@ public class OrderEntity extends BaseEntity { @JoinColumn(name = "userId", nullable = false) private UserEntity user; @Column(nullable = false) - private Date date; - @Column(nullable = false, length = 20) - private String status; - @Column(nullable = false) - private String shippingAddress; + private Date date = new Date(); @OneToMany(mappedBy = "order", cascade = CascadeType.ALL, orphanRemoval = true) @OrderBy("id ASC") private Set orderBooks = new HashSet<>(); @@ -37,12 +33,6 @@ public class OrderEntity extends BaseEntity { public OrderEntity() { } - public OrderEntity(String status, String shippingAddress) { - this.status = status; - this.shippingAddress = shippingAddress; - this.date = new Date(); - } - public UserEntity getUser() { return user; } @@ -62,22 +52,6 @@ public class OrderEntity extends BaseEntity { this.date = date; } - public String getStatus() { - return status; - } - - public void setStatus(String status) { - this.status = status; - } - - public String getShippingAddress() { - return shippingAddress; - } - - public void setShippingAddress(String shippingAddress) { - this.shippingAddress = shippingAddress; - } - public Set getOrderBooks() { return orderBooks; } @@ -98,7 +72,7 @@ public class OrderEntity extends BaseEntity { @Override public int hashCode() { - return Objects.hash(id, user.getId(), date, status, shippingAddress); + return Objects.hash(id, user.getId(), date); } @Override @@ -110,8 +84,6 @@ public class OrderEntity extends BaseEntity { final OrderEntity other = (OrderEntity) obj; return Objects.equals(other.getId(), id) && Objects.equals(other.getUser().getId(), user.getId()) - && Objects.equals(other.getDate(), date) - && Objects.equals(other.getStatus(), status) - && Objects.equals(other.getShippingAddress(), shippingAddress); + && Objects.equals(other.getDate(), date); } } diff --git a/src/main/java/com/example/backend/orders/service/OrderService.java b/src/main/java/com/example/backend/orders/service/OrderService.java index 0bd47ff..4128a58 100644 --- a/src/main/java/com/example/backend/orders/service/OrderService.java +++ b/src/main/java/com/example/backend/orders/service/OrderService.java @@ -39,12 +39,19 @@ public class OrderService { @Transactional(readOnly = true) public Page getAll(long userId, int page, int size) { final Pageable pageRequest = PageRequest.of(page, size); + if (userId <= 0L) { + return repository.findAll(pageRequest); + } userService.get(userId); return repository.findByUserId(userId, pageRequest); } @Transactional(readOnly = true) public OrderEntity get(long userId, long id) { + if (userId <= 0L) { + return repository.findById(id) + .orElseThrow(() -> new NotFoundException(OrderEntity.class, id)); + } userService.get(userId); return repository.findOneByUserIdAndId(userId, id) .orElseThrow(() -> new NotFoundException(OrderEntity.class, id)); @@ -70,6 +77,11 @@ public class OrderService { @Transactional public OrderEntity delete(long userId, long id) { + if (userId <= 0L) { + final OrderEntity existsEntity = get(0, id); + repository.delete(existsEntity); + return existsEntity; + } userService.get(userId); final OrderEntity existsEntity = get(userId, id); repository.delete(existsEntity); diff --git a/src/main/java/com/example/backend/users/api/UserCartController.java b/src/main/java/com/example/backend/users/api/UserCartController.java new file mode 100644 index 0000000..100100c --- /dev/null +++ b/src/main/java/com/example/backend/users/api/UserCartController.java @@ -0,0 +1,102 @@ +package com.example.backend.users.api; + +import java.util.Map; +import java.util.Map.Entry; +import java.util.stream.Collectors; + +import org.springframework.security.core.annotation.AuthenticationPrincipal; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.PostMapping; +import org.springframework.web.bind.annotation.RequestMapping; +import org.springframework.web.bind.annotation.RequestParam; + +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.security.UserPrincipal; +import com.example.backend.core.session.SessionCart; +import com.example.backend.core.utils.NumMorph; +import com.example.backend.orders.api.BookCountDto; +import com.example.backend.orders.model.OrderEntity; +import com.example.backend.orders.service.OrderService; + +@Controller +@RequestMapping(UserCartController.URL) +public class UserCartController { + public static final String URL = "/cart"; + + private static final String CART_VIEW = "cart"; + private static final String CART_ATTRIBUTE = "cart"; + + private final OrderService orderService; + private final SessionCart cart; + + public UserCartController( + OrderService orderService, + SessionCart cart) { + this.orderService = orderService; + this.cart = cart; + } + + @GetMapping + public String getCart(Model model) { + model.addAttribute(CART_ATTRIBUTE, cart.values()); + model.addAttribute("count", cart.getCount()); + model.addAttribute("sum", cart.getSum()); + model.addAttribute("linesText", NumMorph.numMorph(cart.getCount(), "товар", "товара", "товаров")); + return CART_VIEW; + } + + @PostMapping("/clear") + public String clearCart( + @RequestParam(name = "bookId", defaultValue = "0") long bookId, + Model model) { + if (bookId <= 0) { + cart.clear(); + } else { + cart.remove(bookId); + } + return Constants.REDIRECT_VIEW + URL; + } + + @PostMapping("/increase") + public String increaseCartCount( + @RequestParam(name = "bookId") long bookId) { + BookCountDto book = cart.get(bookId); + if (book != null) { + book.setCount(book.getCount() + 1); + } + return Constants.REDIRECT_VIEW + URL; + } + + @PostMapping("/decrease") + public String decreaseCartCount( + @RequestParam(name = "bookId") long bookId) { + BookCountDto book = cart.get(bookId); + if (book != null) { + book.setCount(book.getCount() - 1); + } + final Map filteredCart = cart.entrySet() + .stream() + .filter(item -> item.getValue().getCount() > 0) + .collect(Collectors.toMap(Entry::getKey, Entry::getValue)); + cart.clear(); + cart.putAll(filteredCart); + return Constants.REDIRECT_VIEW + URL; + } + + @PostMapping("/save") + public String saveCart( + Model model, + @AuthenticationPrincipal UserPrincipal principal) { + Map orderMap = cart.entrySet() + .stream() + .collect(Collectors.toMap( + Entry::getKey, + entry -> entry.getValue().getCount())); + orderService.create(principal.getId(), new OrderEntity(), orderMap); + cart.clear(); + return Constants.REDIRECT_VIEW + URL; + } + +} diff --git a/src/main/java/com/example/backend/users/api/UserController.java b/src/main/java/com/example/backend/users/api/UserController.java index b1a1515..868e6ba 100644 --- a/src/main/java/com/example/backend/users/api/UserController.java +++ b/src/main/java/com/example/backend/users/api/UserController.java @@ -1,27 +1,35 @@ package com.example.backend.users.api; +import java.util.Map; + import org.modelmapper.ModelMapper; -import org.springframework.web.bind.annotation.DeleteMapping; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.validation.BindingResult; import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.PostMapping; -import org.springframework.web.bind.annotation.PutMapping; -import org.springframework.web.bind.annotation.RequestBody; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestParam; -import org.springframework.web.bind.annotation.RestController; +import org.springframework.web.servlet.mvc.support.RedirectAttributes; -import com.example.backend.core.api.PageDto; -import com.example.backend.core.api.PageDtoMapper; +import com.example.backend.core.api.PageAttributesMapper; +import com.example.backend.core.configuration.Constants; import com.example.backend.users.model.UserEntity; import com.example.backend.users.service.UserService; -import com.example.backend.core.configuration.Constants; import jakarta.validation.Valid; -@RestController -@RequestMapping(Constants.API_URL + "/user") +@Controller +@RequestMapping(UserController.URL) public class UserController { + public static final String URL = Constants.ADMIN_PREFIX + "/user"; + private static final String USER_VIEW = "user"; + private static final String USER_EDIT_VIEW = "user-edit"; + private static final String PAGE_ATTRIBUTE = "page"; + private static final String USER_ATTRIBUTE = "user"; + private final UserService userService; private final ModelMapper modelMapper; @@ -39,29 +47,56 @@ public class UserController { } @GetMapping - public PageDto getAll( - @RequestParam(name = "page", defaultValue = "0") int page, - @RequestParam(name = "size", defaultValue = Constants.DEFAULT_PAGE_SIZE) int size) { - return PageDtoMapper.toDto(userService.getAll(page, size), this::toDto); + public String getAll( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + Model model) { + final Map attributes = PageAttributesMapper.toAttributes( + userService.getAll(page, Constants.DEFAULT_PAGE_SIZE), this::toDto); + model.addAllAttributes(attributes); + model.addAttribute(PAGE_ATTRIBUTE, page); + return USER_VIEW; } - @GetMapping("/{id}") - public UserDto get(@PathVariable(name = "id") Long id) { - return toDto(userService.get(id)); + @GetMapping("/edit/{id}") + public String update( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + Model model) { + if (id <= 0) { + throw new IllegalArgumentException(); + } + model.addAttribute(USER_ATTRIBUTE, toDto(userService.get(id))); + model.addAttribute(PAGE_ATTRIBUTE, page); + return USER_EDIT_VIEW; } - @PostMapping - public UserDto create(@RequestBody @Valid UserDto dto) { - return toDto(userService.create(toEntity(dto))); + @PostMapping("/edit/{id}") + public String update( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @ModelAttribute(name = USER_ATTRIBUTE) @Valid UserDto user, + BindingResult bindingResult, + Model model, + RedirectAttributes redirectAttributes) { + if (bindingResult.hasErrors()) { + model.addAttribute(PAGE_ATTRIBUTE, page); + return USER_EDIT_VIEW; + } + if (id <= 0) { + throw new IllegalArgumentException(); + } + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + userService.update(id, toEntity(user)); + return Constants.REDIRECT_VIEW + URL; } - @PutMapping("/{id}") - public UserDto update(@PathVariable(name = "id") Long id, @RequestBody @Valid UserDto dto) { - return toDto(userService.update(id, toEntity(dto))); - } - - @DeleteMapping("/{id}") - public UserDto delete(@PathVariable(name = "id") Long id) { - return toDto(userService.delete(id)); + @PostMapping("/delete/{id}") + public String delete( + @PathVariable(name = "id") Long id, + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + RedirectAttributes redirectAttributes) { + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + userService.delete(id); + return Constants.REDIRECT_VIEW + URL; } } diff --git a/src/main/java/com/example/backend/users/api/UserDto.java b/src/main/java/com/example/backend/users/api/UserDto.java index 414fc24..1f1735d 100644 --- a/src/main/java/com/example/backend/users/api/UserDto.java +++ b/src/main/java/com/example/backend/users/api/UserDto.java @@ -1,12 +1,9 @@ package com.example.backend.users.api; -import com.fasterxml.jackson.annotation.JsonProperty; - import jakarta.validation.constraints.NotBlank; import jakarta.validation.constraints.Size; public class UserDto { - @JsonProperty(access = JsonProperty.Access.READ_ONLY) private Long id; @NotBlank @Size(min = 3, max = 20) @@ -15,11 +12,13 @@ public class UserDto { @Size(min = 5, max = 254) private String email; @NotBlank - @Size(min = 6, max = 16) + @Size(min = 6, max = 60) private String password; @NotBlank - @Size(min = 1, max = 20) - private String accessLevel; + private String firstname; + @NotBlank + private String lastname; + private String role; public Long getId() { return id; @@ -53,11 +52,27 @@ public class UserDto { this.password = password; } - public String getAccessLevel() { - return accessLevel; + public String getFirstname() { + return firstname; } - public void setAccessLevel(String accessLevel) { - this.accessLevel = accessLevel; + public void setFirstname(String firstname) { + this.firstname = firstname; + } + + public String getLastname() { + return lastname; + } + + public void setLastname(String lastname) { + this.lastname = lastname; + } + + public String getRole() { + return role; + } + + public void setRole(String role) { + this.role = role; } } diff --git a/src/main/java/com/example/backend/users/api/UserProfileController.java b/src/main/java/com/example/backend/users/api/UserProfileController.java new file mode 100644 index 0000000..8a8150c --- /dev/null +++ b/src/main/java/com/example/backend/users/api/UserProfileController.java @@ -0,0 +1,118 @@ +package com.example.backend.users.api; + +import org.modelmapper.ModelMapper; +import org.springframework.security.core.annotation.AuthenticationPrincipal; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.validation.BindingResult; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.ModelAttribute; +import org.springframework.web.bind.annotation.PostMapping; +import org.springframework.web.bind.annotation.RequestParam; +import org.springframework.web.servlet.mvc.support.RedirectAttributes; +import org.springframework.web.bind.annotation.RequestMapping; + +import com.example.backend.books.api.BookDto; +import com.example.backend.books.model.BookEntity; +import com.example.backend.core.api.PageAttributesMapper; +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.security.UserPrincipal; +import com.example.backend.core.utils.Formatter; +import com.example.backend.orders.api.BookCountDto; +import com.example.backend.orders.api.OrderDto; +import com.example.backend.orders.model.OrderEntity; +import com.example.backend.orders.service.OrderService; +import com.example.backend.users.model.UserEntity; +import com.example.backend.users.service.UserService; + +import jakarta.validation.Valid; + +@Controller +@RequestMapping(UserProfileController.URL) +public class UserProfileController { + public static final String URL = "/profile"; + + private static final String PROFILE_VIEW = "profile"; + private static final String PROFILEEDIT_VIEW = "profile-edit"; + + private static final String PAGE_ATTRIBUTE = "page"; + private static final String USER_ATTRIBUTE = "user"; + + private final UserService userService; + private final OrderService orderService; + private final ModelMapper modelMapper; + + public UserProfileController( + UserService userService, + OrderService orderService, + ModelMapper modelMapper) { + this.userService = userService; + this.orderService = orderService; + this.modelMapper = modelMapper; + } + + private UserEntity toUserEntity(UserDto dto) { + return modelMapper.map(dto, UserEntity.class); + } + + private UserDto toUserDto(UserEntity entity) { + return modelMapper.map(entity, UserDto.class); + } + + private BookDto toBookDto(BookEntity entity) { + return modelMapper.map(entity, BookDto.class); + } + + private OrderDto toOrderDto(OrderEntity entity) { + final OrderDto dto = modelMapper.map(entity, OrderDto.class); + dto.setDate(Formatter.format(entity.getDate())); + dto.setSum(orderService.getSum(entity.getUser().getId(), entity.getId())); + dto.setCount(orderService.getFullCount(entity.getUser().getId(), entity.getId())); + dto.setBooks(orderService.getOrderBooks(entity.getUser().getId(), entity + .getId()).stream() + .map(orderBook -> { + BookCountDto bookCountDto = new BookCountDto(); + bookCountDto.setBook(toBookDto(orderBook.getBook())); + bookCountDto.setCount(orderBook.getCount()); + return bookCountDto; + }) + .toList()); + return dto; + } + + @GetMapping + public String getProfile(@RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, Model model, + @AuthenticationPrincipal UserPrincipal principal) { + model.addAttribute(USER_ATTRIBUTE, toUserDto(userService.get(principal.getId()))); + model.addAttribute(PAGE_ATTRIBUTE, page); + model.addAllAttributes(PageAttributesMapper.toAttributes( + orderService.getAll(principal.getId(), page, 3), + this::toOrderDto)); + return PROFILE_VIEW; + } + + @GetMapping("/edit") + public String changeUserInfo(@RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, Model model, + @AuthenticationPrincipal UserPrincipal principal) { + model.addAttribute(USER_ATTRIBUTE, toUserDto(userService.get(principal.getId()))); + model.addAttribute(PAGE_ATTRIBUTE, page); + return PROFILEEDIT_VIEW; + } + + @PostMapping("/edit") + public String update( + @RequestParam(name = PAGE_ATTRIBUTE, defaultValue = "0") int page, + @ModelAttribute(name = USER_ATTRIBUTE) @Valid UserDto user, + BindingResult bindingResult, + Model model, + RedirectAttributes redirectAttributes, + @AuthenticationPrincipal UserPrincipal principal) { + if (bindingResult.hasErrors()) { + model.addAttribute(PAGE_ATTRIBUTE, page); + return PROFILEEDIT_VIEW; + } + redirectAttributes.addAttribute(PAGE_ATTRIBUTE, page); + userService.update(principal.getId(), toUserEntity(user)); + return Constants.REDIRECT_VIEW + URL; + } +} \ No newline at end of file diff --git a/src/main/java/com/example/backend/users/api/UserSignupController.java b/src/main/java/com/example/backend/users/api/UserSignupController.java new file mode 100644 index 0000000..b262034 --- /dev/null +++ b/src/main/java/com/example/backend/users/api/UserSignupController.java @@ -0,0 +1,65 @@ +package com.example.backend.users.api; + +import java.util.Objects; + +import org.modelmapper.ModelMapper; +import org.springframework.stereotype.Controller; +import org.springframework.ui.Model; +import org.springframework.validation.BindingResult; +import org.springframework.web.bind.annotation.GetMapping; +import org.springframework.web.bind.annotation.ModelAttribute; +import org.springframework.web.bind.annotation.PostMapping; +import org.springframework.web.bind.annotation.RequestMapping; + +import com.example.backend.core.configuration.Constants; +import com.example.backend.users.model.UserEntity; +import com.example.backend.users.service.UserService; + +import jakarta.validation.Valid; + +@Controller +@RequestMapping(UserSignupController.URL) +public class UserSignupController { + public static final String URL = "/signup"; + + private static final String SIGNUP_VIEW = "signup"; + private static final String USER_ATTRIBUTE = "user"; + + private final UserService userService; + private final ModelMapper modelMapper; + + public UserSignupController( + UserService userService, + ModelMapper modelMapper) { + this.userService = userService; + this.modelMapper = modelMapper; + } + + private UserEntity toEntity(UserSignupDto dto) { + return modelMapper.map(dto, UserEntity.class); + } + + @GetMapping + public String getSignup(Model model) { + model.addAttribute(USER_ATTRIBUTE, new UserSignupDto()); + return SIGNUP_VIEW; + } + + @PostMapping + public String signup( + @ModelAttribute(name = USER_ATTRIBUTE) @Valid UserSignupDto user, + BindingResult bindingResult, + Model model) { + if (bindingResult.hasErrors()) { + return SIGNUP_VIEW; + } + if (!Objects.equals(user.getPassword(), user.getPasswordConfirm())) { + bindingResult.rejectValue("password", "signup:passwords", "Пароли не совпадают."); + model.addAttribute(USER_ATTRIBUTE, user); + return SIGNUP_VIEW; + } + userService.create(toEntity(user)); + return Constants.REDIRECT_VIEW + Constants.LOGIN_URL + "?signup"; + } + +} diff --git a/src/main/java/com/example/backend/users/api/UserSignupDto.java b/src/main/java/com/example/backend/users/api/UserSignupDto.java new file mode 100644 index 0000000..acf1dcd --- /dev/null +++ b/src/main/java/com/example/backend/users/api/UserSignupDto.java @@ -0,0 +1,72 @@ +package com.example.backend.users.api; + +import jakarta.validation.constraints.Email; +import jakarta.validation.constraints.NotBlank; +import jakarta.validation.constraints.Size; + +public class UserSignupDto { + @NotBlank + @Size(min = 3, max = 20) + private String login; + @NotBlank + @Email + private String email; + @NotBlank + private String firstname; + @NotBlank + private String lastname; + @NotBlank + @Size(min = 3, max = 20) + private String password; + @NotBlank + @Size(min = 3, max = 20) + private String passwordConfirm; + + public String getLogin() { + return login; + } + + public void setLogin(String login) { + this.login = login; + } + + public String getEmail() { + return email; + } + + public void setEmail(String email) { + this.email = email; + } + + public String getFirstname() { + return firstname; + } + + public void setFirstname(String firstname) { + this.firstname = firstname; + } + + public String getLastname() { + return lastname; + } + + public void setLastname(String lastname) { + this.lastname = lastname; + } + + public String getPassword() { + return password; + } + + public void setPassword(String password) { + this.password = password; + } + + public String getPasswordConfirm() { + return passwordConfirm; + } + + public void setPasswordConfirm(String passwordConfirm) { + this.passwordConfirm = passwordConfirm; + } +} diff --git a/src/main/java/com/example/backend/users/model/UserEntity.java b/src/main/java/com/example/backend/users/model/UserEntity.java index 5ff6163..e233cd2 100644 --- a/src/main/java/com/example/backend/users/model/UserEntity.java +++ b/src/main/java/com/example/backend/users/model/UserEntity.java @@ -21,10 +21,13 @@ public class UserEntity extends BaseEntity { private String login; @Column(nullable = false, unique = true, length = 254) private String email; - @Column(nullable = false, length = 16) + @Column(nullable = false, length = 60) private String password; - @Column(nullable = false, length = 20) - private String accessLevel; + @Column(nullable = false) + private String firstname; + @Column(nullable = false) + private String lastname; + private UserRole role; @OneToMany(mappedBy = "user", cascade = CascadeType.ALL) @OrderBy("id ASC") private Set orders = new HashSet<>(); @@ -32,11 +35,13 @@ public class UserEntity extends BaseEntity { public UserEntity() { } - public UserEntity(String login, String email, String password, String accessLevel) { + public UserEntity(String login, String email, String password, String firstname, String lastname) { this.login = login; this.email = email; this.password = password; - this.accessLevel = accessLevel; + this.firstname = firstname; + this.lastname = lastname; + this.role = UserRole.USER; } public String getLogin() { @@ -63,12 +68,28 @@ public class UserEntity extends BaseEntity { this.password = password; } - public String getAccessLevel() { - return accessLevel; + public UserRole getRole() { + return role; } - public void setAccessLevel(String accessLevel) { - this.accessLevel = accessLevel; + public void setRole(UserRole role) { + this.role = role; + } + + public String getFirstname() { + return firstname; + } + + public void setFirstname(String firstname) { + this.firstname = firstname; + } + + public String getLastname() { + return lastname; + } + + public void setLastname(String lastname) { + this.lastname = lastname; } public Set getOrders() { @@ -84,7 +105,7 @@ public class UserEntity extends BaseEntity { @Override public int hashCode() { - return Objects.hash(id, login, email, password, accessLevel); + return Objects.hash(id, login, email, password, lastname, firstname, role); } @Override @@ -98,6 +119,8 @@ public class UserEntity extends BaseEntity { && Objects.equals(other.getLogin(), login) && Objects.equals(other.getEmail(), email) && Objects.equals(other.getPassword(), password) - && Objects.equals(other.getAccessLevel(), accessLevel); + && Objects.equals(other.getFirstname(), firstname) + && Objects.equals(other.getLastname(), lastname) + && Objects.equals(other.getRole(), role); } } diff --git a/src/main/java/com/example/backend/users/model/UserRole.java b/src/main/java/com/example/backend/users/model/UserRole.java new file mode 100644 index 0000000..a45799f --- /dev/null +++ b/src/main/java/com/example/backend/users/model/UserRole.java @@ -0,0 +1,16 @@ +package com.example.backend.users.model; + +import org.springframework.security.core.GrantedAuthority; + +public enum UserRole implements GrantedAuthority { + SUPERADMIN, + ADMIN, + USER; + + private static final String PREFIX = "ROLE_"; + + @Override + public String getAuthority() { + return PREFIX + this.name(); + } +} diff --git a/src/main/java/com/example/backend/users/service/UserService.java b/src/main/java/com/example/backend/users/service/UserService.java index c41b75d..d737bcc 100644 --- a/src/main/java/com/example/backend/users/service/UserService.java +++ b/src/main/java/com/example/backend/users/service/UserService.java @@ -2,26 +2,39 @@ package com.example.backend.users.service; import java.util.List; import java.util.stream.StreamSupport; +import java.util.Optional; import org.springframework.data.domain.Page; import org.springframework.data.domain.PageRequest; +import org.springframework.data.domain.Sort; +import org.springframework.security.core.userdetails.UserDetails; +import org.springframework.security.core.userdetails.UserDetailsService; +import org.springframework.security.core.userdetails.UsernameNotFoundException; +import org.springframework.security.crypto.password.PasswordEncoder; import org.springframework.stereotype.Service; import org.springframework.transaction.annotation.Transactional; +import org.springframework.util.StringUtils; +import com.example.backend.core.configuration.Constants; +import com.example.backend.core.security.UserPrincipal; import com.example.backend.users.model.UserEntity; +import com.example.backend.users.model.UserRole; import com.example.backend.users.repository.UserRepository; import com.example.backend.core.error.NotFoundException; @Service -public class UserService { +public class UserService implements UserDetailsService { private final UserRepository repository; + private final PasswordEncoder passwordEncoder; - public UserService(UserRepository repository) { + public UserService(UserRepository repository, PasswordEncoder passwordEncoder) { this.repository = repository; + this.passwordEncoder = passwordEncoder; } - private void checkLogin(String login) { - if (repository.findByLoginIgnoreCase(login).isPresent()) { + private void checkLogin(Long id, String login) { + final Optional existsUser = repository.findByLoginIgnoreCase(login); + if (existsUser.isPresent() && !existsUser.get().getId().equals(id)) { throw new IllegalArgumentException( String.format("User with login %s is already exists", login)); } @@ -34,7 +47,7 @@ public class UserService { @Transactional(readOnly = true) public Page getAll(int page, int size) { - return repository.findAll(PageRequest.of(page, size)); + return repository.findAll(PageRequest.of(page, size, Sort.by("id"))); } @Transactional(readOnly = true) @@ -43,22 +56,40 @@ public class UserService { .orElseThrow(() -> new NotFoundException(UserEntity.class, id)); } + @Transactional(readOnly = true) + public UserEntity getByLogin(String login) { + return repository.findByLoginIgnoreCase(login) + .orElseThrow(() -> new IllegalArgumentException("Invalid login")); + } + @Transactional public UserEntity create(UserEntity entity) { if (entity == null) { throw new IllegalArgumentException("Entity is null"); } - checkLogin(entity.getLogin()); + checkLogin(null, entity.getLogin()); + final String password = Optional.ofNullable(entity.getPassword()).orElse(""); + entity.setPassword( + passwordEncoder.encode( + StringUtils.hasText(password.strip()) ? password : Constants.DEFAULT_PASSWORD)); + entity.setRole(Optional.ofNullable(entity.getRole()).orElse(UserRole.USER)); return repository.save(entity); } @Transactional public UserEntity update(long id, UserEntity entity) { final UserEntity existsEntity = get(id); - existsEntity.setLogin(entity.getLogin()); + if (!entity.getLogin().equals(existsEntity.getLogin())) { + checkLogin(id, entity.getLogin()); + existsEntity.setLogin(entity.getLogin()); + } + final String password = Optional.ofNullable(entity.getPassword()).orElse(""); + existsEntity.setPassword( + passwordEncoder.encode( + StringUtils.hasText(password.strip()) ? password : Constants.DEFAULT_PASSWORD)); + existsEntity.setFirstname(entity.getFirstname()); + existsEntity.setLastname(entity.getLastname()); existsEntity.setEmail(entity.getEmail()); - existsEntity.setPassword(entity.getPassword()); - existsEntity.setAccessLevel(entity.getAccessLevel()); repository.save(existsEntity); return existsEntity; } @@ -69,4 +100,11 @@ public class UserService { repository.delete(existsEntity); return existsEntity; } + + @Override + @Transactional(readOnly = true) + public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException { + final UserEntity existsUser = getByLogin(username); + return new UserPrincipal(existsUser); + } } diff --git a/src/main/resources/application.properties b/src/main/resources/application.properties index 62ab433..8b63776 100644 --- a/src/main/resources/application.properties +++ b/src/main/resources/application.properties @@ -17,4 +17,8 @@ spring.jpa.open-in-view=false # spring.jpa.properties.hibernate.format_sql=true # H2 console -spring.h2.console.enabled=true \ No newline at end of file +spring.h2.console.enabled=true + +# Multipart file upload settings +spring.servlet.multipart.max-file-size=10MB +spring.servlet.multipart.max-request-size=10MB \ No newline at end of file diff --git a/src/main/resources/public/css/style.css b/src/main/resources/public/css/style.css new file mode 100644 index 0000000..e91439b --- /dev/null +++ b/src/main/resources/public/css/style.css @@ -0,0 +1,987 @@ +@import url('https://fonts.googleapis.com/css2?family=Montserrat:ital,wght@0,100;0,200;0,300;0,400;0,500;0,600;0,800;0,900;1,700&display=swap'); + +body { + font-family: Montserrat, Arial, sans-serif; + background-color: rgb(238, 236, 236); +} + +p { + margin: 0; +} + +main { + margin: 4%; +} + +td form { + margin: 0; + padding: 0; + margin-top: -.25em; +} + +.row { + margin: 0; +} + +header nav { + background-color: rgb(23, 154, 183); + color: white; +} + +#logo, +.nav-link, +.profile-link, +#catalog-categories-list li a, +#catalog-page-navigation a, +#catalog-categories-mobile-list li a, +#password-help a, +#login-admin a, +.list-group-item a { + color: inherit; + text-decoration: none; +} + +#logo { + font-size: 20px; + font-weight: 800; +} + +.nav-link, +.header-part { + font-size: 16px; + font-weight: 600; +} + +header nav a.active { + font-weight: 900 !important; + text-decoration: underline !important; + text-decoration-skip-ink: none !important; + color: white !important; +} + +#cart-icon { + transition: border-color 0.15s; +} + +.active-icon #cart-icon { + border-width: 1px; + border-style: solid; + border-color: white; +} + +#search-bar { + min-width: 94px; +} + +#search-bar::placeholder { + font-size: 14px; + font-weight: 400; + color: rgb(145, 141, 141); +} + +header nav a { + transition: color 0.15s !important; +} + +header nav a:hover { + color: rgb(6, 69, 173) !important; +} + +#cart-icon:hover { + border-width: 1px; + border-style: solid; + border-color: white; +} + +.active-icon #cart-icon:hover { + border-color: rgb(6, 69, 173); +} + +.main-page-section-title { + min-height: 32px; +} + +.main-page-section-title-text { + font-size: 20px; + font-weight: 700; +} + +.main-page-price { + font-size: 14px; + font-weight: 700; +} + +.main-page-book-title { + font-size: 11px; + font-weight: 500; +} + +.main-page-author { + font-size: 11px; + font-weight: 500; + color: rgb(97, 95, 95); +} + +#product-card-order-container { + width: 294px; +} + +#product-card-book-name { + font-size: 26px; + font-weight: 600; +} + +#product-card-author { + font-size: 16px; + font-weight: 600; + color: rgb(14, 173, 208) +} + +#product-card-characteristics { + font-size: 16px; +} + +#product-card-characteristics dt { + color: rgb(97, 95, 95); + font-weight: 600 !important; + padding-left: 0; +} + +#product-card-characteristics dd { + padding-left: 0; + font-weight: 700; +} + +#product-card-text-available { + font-size: 21px; + font-weight: 600; + color: rgb(80, 176, 84); +} + +#product-card-price { + font-size: 28px; + font-weight: 600; +} + +#product-card-button-add { + font-size: 21px; + font-weight: 600; + color: white; + background-color: rgb(23, 154, 183); + transition: opacity 0.25s; +} + +#product-card-button-add:hover { + opacity: 0.85; +} + +.product-card-book-description-h { + font-size: 18px; + font-weight: 700; +} + +.product-card-book-description-text { + font-size: 18px; + font-weight: 500; +} + +#contacts-title { + font-size: 30px; + font-weight: 900; +} + +.contacts-item { + font-weight: 900; +} + +.contacts-item-main-info { + font-size: 20px; +} + +.contacts-item-clarification { + font-size: 16px; + color: rgb(145, 141, 141); +} + +#skype-link { + font-size: 20px; + font-weight: 900; + color: rgb(6, 69, 173); +} + +#contacts-address { + font-size: 20px; + font-weight: 900; +} + +#contacts-address-value { + font-size: 16px; + font-weight: 600; +} + +#cart-title { + font-size: 36px; + font-weight: 900; +} + +#cart-items-num-text { + font-size: 24px; + font-weight: 900; +} + +.cart-button-remove { + font-size: 18px; + font-weight: 700; + color: rgb(145, 141, 141); + transition: color 0.15s; +} + +.cart-button-remove:hover { + color: blue; +} + +.cart-book-description { + font-weight: 500; +} + +.cart-book-description-title { + font-size: 20px; +} + +.cart-book-description-author { + font-size: 16px; + color: rgb(145, 141, 141); +} + +.button-minus, +.button-plus { + font-size: 20px; + font-weight: 600; + width: 32px; + height: 34px; + color: rgb(145, 141, 141); + transition: background-color 0.15s, color 0.15s; +} + +.button-minus:hover, +.button-plus:hover { + background-color: rgb(114, 187, 5) !important; + color: white; +} + +.cart-input-label { + width: 42px; + height: 34px; +} + +.cart-input { + font-size: 16px; + font-weight: 900; + border-color: rgb(222, 226, 230) !important; +} + +.cart-input::placeholder { + color: black; +} + +.cart-price { + font-size: 18px; + font-weight: 700; +} + +.cart-price-count { + font-size: 15px; + font-weight: 600; +} + +#cart-final-price { + font-weight: 700; +} + +#cart-final-price-text { + font-size: 24px; +} + +#cart-final-price-value { + font-size: 20px; +} + +#cart-btn-checkout { + font-size: 18px; + font-weight: 700; + background-color: rgb(217, 217, 217); + transition: opacity 0.25s; +} + +#cart-btn-checkout:hover { + opacity: 0.85; +} + +#catalog-categories, +#catalog-categories-mobile { + border-color: rgb(23, 154, 183) !important; +} + +#catalog-categories-title, +#catalog-categories-mobile-title { + font-weight: 700; +} + +#catalog-categories-title { + font-size: 24px; +} + +#catalog-categories-list, +#catalog-categories-mobile-list { + font-weight: 500; + color: rgb(6, 69, 173) !important; +} + +#catalog-categories-list { + font-size: 14px; +} + +.active-category, +.active-category-mobile { + font-weight: 700; +} + +#catalog-categories-mobile-title { + font-size: 48px; +} + +#catalog-categories-mobile-list { + font-size: 24px; +} + +#catalog-title { + font-size: 40px; + font-weight: 900; +} + +#catalog-select { + font-size: 14px; + font-weight: 500; + width: 264px; + height: 35px; +} + +.catalog-price { + font-size: 18px; + font-weight: 700; +} + +.catalog-book-title, +.catalog-author { + font-size: 12px; + font-weight: 600; +} + +.catalog-bth-checkout { + font-size: 14px; + font-weight: 600; + background-color: rgb(217, 217, 217); + transition: background-color 0.15s, color 0.15s; +} + +.catalog-bth-checkout:hover { + background-color: rgb(114, 187, 5) !important; + color: white; +} + +#catalog-page-navigation { + font-size: 20px; + font-weight: 700; +} + +#catalog-selected-page { + color: rgb(80, 176, 84) !important; +} + +#catalog-page-navigation a { + transition: color 0.15s; +} + +#catalog-page-navigation a:hover { + color: rgb(0, 0, 238) !important; +} + +#catalog-section-navigation { + font-size: 16px; +} + +.login-input-email, +.login-input-password, +.login-input-remember, +.reg-input-name, +.reg-input-email, +.reg-input-password { + font-size: 16px; + min-width: 165px; +} + +#login-title, +#reg-title { + font-size: 24px; + font-weight: 900; +} + +.login-btn, +.reg-btn { + font-size: 16px; + font-weight: 900; + background-color: rgb(6, 69, 173); + transition: opacity 0.25s; + min-width: 160px; +} + +.login-btn:hover, +.reg-btn:hover { + opacity: 0.85; +} + +#password-help, +#login-admin { + font-size: 16px; + font-weight: 900; + color: rgb(145, 141, 141); +} + +#add-btn { + min-width: 150px; +} + +footer { + background-color: rgb(23, 154, 183); + color: white; + min-height: 60px; +} + +#footer-container { + min-height: 60px; +} + +#footer-row { + min-height: 60px; +} + +#footer-copyright { + font-size: 24px; + font-weight: 900; +} + +#footer-phone-number-text { + font-size: 20px; + font-weight: 900; +} + +#footer-social-media-text { + font-size: 19px; + font-weight: 900; +} + +.astext { + background: none; + border: none; + margin: 0; + padding: 0; + cursor: pointer; + transition: color 0.15s !important; +} + +.astext:hover { + color: rgb(6, 69, 173) !important; +} + +#cart-link-count { + padding: 1px 4px; + font-weight: 700; + font-size: 12px; + box-shadow: 0 0 0 2px #fff; + top: 5px; + left: 29px; + background: linear-gradient(0deg, #177bc2 0%, #2e8db5 100%); + border-radius: 50px; + align-items: center; + color: #fff; + display: inline-flex; + height: 13px; + justify-content: center; + line-height: 13px; + min-width: 16px; + text-align: center; +} + +.invalid-feedback { + display: block; +} + +.button-fixed-width { + width: 150px; +} + +.cart-labels { + font-variant: small-caps; +} + +@media (min-width: 992px) and (max-width: 1200px) { + #logo { + margin-right: 25px !important; + } + + .header-link { + margin-right: 10px !important; + } + + #header-contacts, + #header-search { + margin-right: 20px !important; + } +} + +@media (min-width: 992px) { + header nav { + height: 60px !important; + } + + main { + margin: 2%; + } +} + +@media (max-width: 1200px) { + #catalog-categories-list { + font-size: 12px; + } + + .orders-info { + font-size: 16px !important; + } + + .active-category { + font-size: 11px; + } + + #catalog-categories-title { + font-size: 18px; + } + + #catalog-title { + font-size: 36px; + } +} + +@media (max-width: 992px) { + #catalog-categories-title { + font-size: 16px; + } + + #catalog-categories-list { + font-size: 11px; + } + + .active-category { + font-size: 10px; + } + + #catalog-title { + font-size: 30px; + } +} + +@media (max-width: 768px) { + #product-card-characteristics { + display: inline-block; + } + + #product-card-characteristics dt, + #product-card-characteristics dd { + text-align: left; + padding-right: 0; + } +} + +@media (max-width: 576px) { + .cart-book-cover { + width: 66px; + height: 104px; + } + + .cart-button-remove { + font-size: 0 !important; + } + + .catalog-book-description, + .catalog-btn-checkout-div { + margin-left: 15%; + } + + #admin-title { + font-size: 18px !important; + } + + .edit-btn { + width: 50% !important; + } +} + +@media (max-width: 510px) { + + .login-input-email, + .login-input-password, + .login-input-remember, + .login-btn, + #password-help, + #login-admin, + .errmsg { + font-size: 12px; + } + + .reg-input-name, + .reg-input-email, + .reg-input-password, + .reg-btn { + font-size: 12px; + } + + #login-title, + #reg-title { + font-size: 20px; + } +} + +@media (max-width: 475px) { + #cart-title { + font-size: 30px; + } + + #cart-items-num-text, + #cart-final-price-text { + font-size: 20px; + } + + .cart-book-description-title, + #cart-final-price-value { + font-size: 16px; + } + + .cart-book-description-author { + font-size: 12px; + } + + .cart-price, + #cart-btn-checkout, + .cart-input { + font-size: 14px; + } + + .cart-price-count { + font-size: 12px; + } + + .button-minus, + .button-plus { + font-size: 16px; + width: 26px; + height: 28px; + } + + .cart-input-label { + width: 34px; + height: 28px; + } + + #catalog-categories-mobile-title { + font-size: 44px; + } + + #catalog-categories-mobile-list { + font-size: 18px; + } + + #image-preview { + width: 300px; + height: 450px; + } +} + +@media (max-width: 400px) { + + .main-page-book-title, + .main-page-author { + font-size: 0 !important; + } + + .main-page-book-cover { + width: 80px; + height: 122px; + } + + #footer-copyright { + font-size: 20px !important; + } + + #footer-phone-number-text { + font-size: 18px !important; + } + + #footer-social-media-text { + font-size: 0 !important; + margin-right: 0 !important; + } + + #catalog-section-navigation { + font-size: 12px; + } + + .login-btn, + #password-help, + #login-admin, + .reg-input-password, + .reg-btn { + font-size: 16px; + } + + .reg-input-name, + .reg-input-email, + .login-input-email, + .login-input-password, + .login-input-remember, + .errmsg { + font-size: 14px; + } + + #login-title, + #reg-title { + font-size: 20px; + } +} + +@media (max-width: 361px) { + #logo { + font-size: 0 !important; + } + + .contacts-icon { + width: 55px !important; + height: 55px !important; + } + + #contacts-title { + font-size: 22px; + } + + .contacts-item-main-info, + #skype-link, + #contacts-address { + font-size: 14px; + } + + .contacts-item-clarification, + #contacts-address-value { + font-size: 12px; + } + + #catalog-title { + font-size: 20px; + } + + #catalog-select { + font-size: 11px; + width: 164px; + height: 28px; + padding: 5px; + } + + #image-preview { + width: 200px; + height: 300px; + } +} + +@media (max-width: 335px) { + #mobile-price-count { + display: none; + } + + #cart-title { + font-size: 24px; + } + + #cart-items-num-text { + font-size: 14px; + } + + .cart-book-description-title, + #cart-final-price-value { + font-size: 10px; + } + + .cart-book-description-author { + font-size: 8px; + } + + #cart-final-price-text { + font-size: 12px; + } + + .button-minus, + .button-plus { + font-size: 10px; + width: 16px; + height: 18px; + } + + .cart-input-label { + width: 22px; + height: 18px; + } + + .cart-input, + #cart-btn-checkout, + .cart-price { + font-size: 9px; + } + + .cart-price-count { + font-size: 8px; + } + + .trash-icon { + width: 16px; + height: 16px; + } + + .cart-book-cover { + width: 44px; + height: 69px; + } +} + +@media (max-width: 320px) { + #product-card-price { + font-size: 22px !important; + } + + #novelty-icon { + width: 74px !important; + height: 25px !important; + } + + #discont-icon { + width: 49px !important; + height: 25px !important; + } + + .product-card-book-description-h, + .product-card-book-description-text, + #product-card-button-add, + #product-card-text-available { + font-size: 16px !important; + } + + #catalog-section-navigation { + font-size: 11px; + } + + #catalog-categories-mobile-title { + font-size: 38px; + } + + #catalog-categories-mobile-list { + font-size: 16px; + } +} + +@media (max-width: 282px) { + #footer-copyright { + font-size: 14px !important; + } + + #footer-phone-number-text { + font-size: 12px !important; + } + + #admin-title { + font-size: 16px !important; + } +} + +@media (max-width: 272px) { + #fire-icon { + height: 38px; + width: 30px; + } + + .catalog-book-description, + .catalog-btn-checkout-div { + margin-left: 0; + } + + .contacts-icon { + width: 44px !important; + height: 44px !important; + margin-right: 20px !important; + } + + #contacts-title { + font-size: 16px; + } + + .contacts-item-main-info, + #skype-link #contacts-address { + font-size: 11px; + } + + #catalog-title { + font-size: 16px; + } + + #catalog-select { + width: 140px; + height: 22px; + padding: 5px; + } + + #catalog-select, + #contacts-address-value, + .contacts-item-clarification { + font-size: 9px; + } + + #catalog-page-navigation { + font-size: 15px; + font-weight: 700; + } + + #catalog-section-navigation { + font-size: 11px; + } + + #catalog-categories-mobile-title { + font-size: 26px; + } + + #catalog-categories-mobile-list { + font-size: 13px; + } + + #image-preview { + width: 155px; + height: 235px; + } + + .edit-btn { + width: 75% !important; + } +} + +@media (max-width: 204px) { + #footer-copyright { + font-size: 13px !important; + } + + #footer-phone-number-text { + font-size: 11px !important; + } +} \ No newline at end of file diff --git a/src/main/resources/static/card.png b/src/main/resources/static/card.png new file mode 100644 index 0000000..4f8bd7d Binary files /dev/null and b/src/main/resources/static/card.png differ diff --git a/src/main/resources/static/cart_button.png b/src/main/resources/static/cart_button.png new file mode 100644 index 0000000..eda83c6 Binary files /dev/null and b/src/main/resources/static/cart_button.png differ diff --git a/src/main/resources/static/check.png b/src/main/resources/static/check.png new file mode 100644 index 0000000..630483b Binary files /dev/null and b/src/main/resources/static/check.png differ diff --git a/src/main/resources/static/discont.png b/src/main/resources/static/discont.png new file mode 100644 index 0000000..e4fcb0d Binary files /dev/null and b/src/main/resources/static/discont.png differ diff --git a/src/main/resources/static/email.png b/src/main/resources/static/email.png new file mode 100644 index 0000000..5bbc08b Binary files /dev/null and b/src/main/resources/static/email.png differ diff --git a/src/main/resources/static/fire.png b/src/main/resources/static/fire.png new file mode 100644 index 0000000..31b30ee Binary files /dev/null and b/src/main/resources/static/fire.png differ diff --git a/src/main/resources/static/line.png b/src/main/resources/static/line.png new file mode 100644 index 0000000..c191556 Binary files /dev/null and b/src/main/resources/static/line.png differ diff --git a/src/main/resources/static/logo.png b/src/main/resources/static/logo.png new file mode 100644 index 0000000..ce867dd Binary files /dev/null and b/src/main/resources/static/logo.png differ diff --git a/src/main/resources/static/map.png b/src/main/resources/static/map.png new file mode 100644 index 0000000..2e15723 Binary files /dev/null and b/src/main/resources/static/map.png differ diff --git a/src/main/resources/static/nothing.png b/src/main/resources/static/nothing.png new file mode 100644 index 0000000..3df6da3 Binary files /dev/null and b/src/main/resources/static/nothing.png differ diff --git a/src/main/resources/static/novelty.png b/src/main/resources/static/novelty.png new file mode 100644 index 0000000..8657bc0 Binary files /dev/null and b/src/main/resources/static/novelty.png differ diff --git a/src/main/resources/static/odnoklassniki.png b/src/main/resources/static/odnoklassniki.png new file mode 100644 index 0000000..701a7af Binary files /dev/null and b/src/main/resources/static/odnoklassniki.png differ diff --git a/src/main/resources/static/phone-call.png b/src/main/resources/static/phone-call.png new file mode 100644 index 0000000..e559bad Binary files /dev/null and b/src/main/resources/static/phone-call.png differ diff --git a/src/main/resources/static/photo.png b/src/main/resources/static/photo.png new file mode 100644 index 0000000..0f608b4 Binary files /dev/null and b/src/main/resources/static/photo.png differ diff --git a/src/main/resources/static/placeholder_400_600.png b/src/main/resources/static/placeholder_400_600.png new file mode 100644 index 0000000..49fb225 Binary files /dev/null and b/src/main/resources/static/placeholder_400_600.png differ diff --git a/src/main/resources/static/skype.png b/src/main/resources/static/skype.png new file mode 100644 index 0000000..5a08b0a Binary files /dev/null and b/src/main/resources/static/skype.png differ diff --git a/src/main/resources/static/telegram.png b/src/main/resources/static/telegram.png new file mode 100644 index 0000000..2533494 Binary files /dev/null and b/src/main/resources/static/telegram.png differ diff --git a/src/main/resources/static/telephone-call.png b/src/main/resources/static/telephone-call.png new file mode 100644 index 0000000..bb02eb2 Binary files /dev/null and b/src/main/resources/static/telephone-call.png differ diff --git a/src/main/resources/static/trash.png b/src/main/resources/static/trash.png new file mode 100644 index 0000000..32a4526 Binary files /dev/null and b/src/main/resources/static/trash.png differ diff --git a/src/main/resources/static/vk.png b/src/main/resources/static/vk.png new file mode 100644 index 0000000..133124f Binary files /dev/null and b/src/main/resources/static/vk.png differ diff --git a/src/main/resources/static/youtube.png b/src/main/resources/static/youtube.png new file mode 100644 index 0000000..7db121a Binary files /dev/null and b/src/main/resources/static/youtube.png differ diff --git a/src/main/resources/templates/admin.html b/src/main/resources/templates/admin.html new file mode 100644 index 0000000..8830fd1 --- /dev/null +++ b/src/main/resources/templates/admin.html @@ -0,0 +1,34 @@ + + + + + Панель администратора + + + +
+
+

Панель администратора

+
+ +
    +
  1. + Категории. +
  2. +
  3. + Книги. +
  4. +
  5. + Заказы. +
  6. +
  7. + Пользователи. +
  8. +
  9. + Консоль H2. +
  10. +
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/book-edit.html b/src/main/resources/templates/book-edit.html new file mode 100644 index 0000000..140ae14 --- /dev/null +++ b/src/main/resources/templates/book-edit.html @@ -0,0 +1,119 @@ + + + + + Панель администратора (книги) + + + +
+
+
+
+ placeholder +
+
+ + +
+
+
+ + +
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+

+ Xарактеристики: +

+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+
+ + +
+
+ + Отмена +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/book.html b/src/main/resources/templates/book.html new file mode 100644 index 0000000..7fa741a --- /dev/null +++ b/src/main/resources/templates/book.html @@ -0,0 +1,89 @@ + + + + + Панель администратора (книги) + + + +
+ +

Данные отсутствуют

+ +
+
+
+ Книги +
+
+
+
+ + +
+ +
+
+
+ + + + + + + + + + + + + + + + + + + + + + + + +
IDНазвание книгиАвторЦенаКатегория каталога
+
+ + + +
+
+
+ + + +
+
+
+
+ + +
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/cart.html b/src/main/resources/templates/cart.html new file mode 100644 index 0000000..08086af --- /dev/null +++ b/src/main/resources/templates/cart.html @@ -0,0 +1,162 @@ + + + + + Корзина + + + +
+
+
+
+ Моя корзина +
+
+

Товары отсутствуют.

+ + +
+
+ В корзине [[${count}]] [[${linesText}]]: +
+
+
+
+
+ +
+
+
+ + +
+
+ cart-book-cover-1 +
+
+
+
+

[[${cartItem.book.title}]]

+

[[${cartItem.book.author}]]

+
+
+
+
+
+ +
+ +
+ +
+
+
+
+
+

[[${#numbers.formatDecimal(cartItem.book.price, 0, 'COMMA', 0, 'POINT')}]] р.

+

+ [[${#numbers.formatDecimal(cartItem.book.price, 0, 'COMMA', 0, 'POINT')}]] + * + [[${cartItem.count}]] + = + [[${#numbers.formatDecimal(cartItem.book.price * cartItem.count, 0, 'COMMA', 0, 'POINT')}]] р. +

+
+
+ +
+
+
+ +
+
+ cart-book-cover +
+
+
+
+

[[${cartItem.book.title}]]

+

[[${cartItem.book.author}]]

+
+

[[${#numbers.formatDecimal(cartItem.book.price, 0, 'COMMA', 0, 'POINT')}]] р.

+

+ [[${#numbers.formatDecimal(cartItem.book.price, 0, 'COMMA', 0, 'POINT')}]] + * + [[${cartItem.count}]] + = + [[${#numbers.formatDecimal(cartItem.book.price * cartItem.count, 0, 'COMMA', 0, 'POINT')}]] р. +

+
+
+
+ +
+ +
+ +
+
+
+ +
+
+
+
+
+ +
+
+ + Итого: + + [[${#numbers.formatDecimal(sum, 1, 2)}]] р. +
+
+
+ +
+
+ +
+ +
+
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/catalog-mobile.html b/src/main/resources/templates/catalog-mobile.html new file mode 100644 index 0000000..b13f948 --- /dev/null +++ b/src/main/resources/templates/catalog-mobile.html @@ -0,0 +1,32 @@ + + + + + Каталог + + + +
+
+
+
+

+ Категории +

+ +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/catalog.html b/src/main/resources/templates/catalog.html new file mode 100644 index 0000000..68f4493 --- /dev/null +++ b/src/main/resources/templates/catalog.html @@ -0,0 +1,155 @@ + + + + + Каталог + + + +
+
+
+
+

+ Категории +

+ +
+
+
+
+ +
+
+
[[${activeName}]]
+
+
+
+
+
+ + + +
+
+ + + +
+
+
+
+
+
+ + book-cover-catalog + +
+
+

+ [[${#numbers.formatDecimal(book.price, 0, 'COMMA', 0, 'POINT')}]] ₽ +

+

+ [[${book.title != null ? book.title : ''}]] +

+

+ [[${book.author != null ? book.author : ''}]] +

+
+
+
+ +
+
+ + +
+ + + + +
+
+ +
+ + + + +
+
+
+
+
+
+ + + Панель администратора. + + +
+ +
+ +
+ +
+ +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/category-edit.html b/src/main/resources/templates/category-edit.html new file mode 100644 index 0000000..32fb629 --- /dev/null +++ b/src/main/resources/templates/category-edit.html @@ -0,0 +1,32 @@ + + + + + Панель администратора (категории) + + + +
+
+
+
+ + +
+
+ + +
+
+
+ + Отмена +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/category.html b/src/main/resources/templates/category.html new file mode 100644 index 0000000..96f628a --- /dev/null +++ b/src/main/resources/templates/category.html @@ -0,0 +1,62 @@ + + + + + Панель администратора (категории) + + + +
+ +

Данные отсутствуют

+ +
+
+
+ Категории +
+
+
+
+ + + + + + + + + + + + + + + + + + +
IDНазвание категории
+
+ +
+
+
+ +
+
+
+
+ +
+ +
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/contacts.html b/src/main/resources/templates/contacts.html new file mode 100644 index 0000000..4f18e67 --- /dev/null +++ b/src/main/resources/templates/contacts.html @@ -0,0 +1,70 @@ + + + + + Контакты + + + +
+
+
+
+

+ Контакты +

+
+ phone-call +
+

+ +7 927 818-61-60 +

+

+ Служба клиентской поддержки + c 8:00 - 22:00 (Мск) +

+
+
+
+ email +
+

+ readroom@mail.ru +

+

+ Электронный адрес компании +

+
+
+
+ skype +
+

+ Пообщайтесь с сотрудниками по видеосвязи +

+
+
+ + Перейти в Skype + +
+

+ Наш адрес: +

+

+ 432064, Россия, г. Ульяновск, проспект Врача Сурова, 2А +

+
+
+
+
+
+ map +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/default.html b/src/main/resources/templates/default.html new file mode 100644 index 0000000..5116a83 --- /dev/null +++ b/src/main/resources/templates/default.html @@ -0,0 +1,153 @@ + + + + + + + + Читай-комната + + + + + + + + +
+ +
+
+
+
+ +
+ + + + \ No newline at end of file diff --git a/src/main/resources/templates/error.html b/src/main/resources/templates/error.html new file mode 100644 index 0000000..831b3bb --- /dev/null +++ b/src/main/resources/templates/error.html @@ -0,0 +1,37 @@ + + + + + Ошибка + + + +
+
    + +
  • + Неизвестная ошибка +
  • +
    + +
  • + Ошибка: [[${message}]] +
  • +
    + +
  • + Адрес: [[${url}]] +
  • +
  • + Класс исключения: [[${exception}]] +
  • +
  • + [[${method}]] ([[${file}]]:[[${line}]]) +
  • +
    +
+ На главную +
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/login.html b/src/main/resources/templates/login.html new file mode 100644 index 0000000..ee8aa8f --- /dev/null +++ b/src/main/resources/templates/login.html @@ -0,0 +1,47 @@ + + + + + Вход на сайт + + + +
+
+
+
+ Вход на сайт +
+
+
+
+ Неверный логин или пароль +
+
+ Выход успешно произведен +
+
+ Пользователь успешно создан +
+
+ +
+
+ +
+
+ + +
+
+ + +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/main-page.html b/src/main/resources/templates/main-page.html new file mode 100644 index 0000000..c8d207b --- /dev/null +++ b/src/main/resources/templates/main-page.html @@ -0,0 +1,93 @@ + + + + + Главная страница + + + +
+ +
+
+
+ fire +

+ Горячие новинки +

+
+
+ +
+
+
+ + book-cover-novelties + +
+
+

+

+

+
+
+
+
+ +
+
+
+

+ Книги по акциям +

+
+
+ +
+
+
+ + book-cover-promotions + +
+
+

+

+

+
+
+
+
+ +
+
+
+

+ Выбор редакции +

+
+
+ +
+
+
+ + book-cover-recommendations + +
+
+

+

+

+
+
+
+
+ +
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/order-check.html b/src/main/resources/templates/order-check.html new file mode 100644 index 0000000..a18c783 --- /dev/null +++ b/src/main/resources/templates/order-check.html @@ -0,0 +1,44 @@ + + + + + Панель администратора (заказы) + + + +
+
+
+ + +
+
+ + +
+
+ + +
+
+ + +
+

Товары в заказе

+ +
+

[[${element.book.title}]] — [[${element.book.author}]]

+
+

+ [[${#numbers.formatDecimal(element.book.price, 0, 'COMMA', 0, 'POINT')}]] ₽ + * [[${element.count}]] =

+

+
+
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/order.html b/src/main/resources/templates/order.html new file mode 100644 index 0000000..3ee2e9a --- /dev/null +++ b/src/main/resources/templates/order.html @@ -0,0 +1,68 @@ + + + + + Панель администратора (заказы) + + + +
+ +

Данные отсутствуют

+ +
+
+
+ Заказы +
+
+
+
+ + + + + + + + + + + + + + + + + + + + + + +
IDДата заказаСтоимостьКоличество книг
+
+ + +
+
+
+ + +
+
+
+
+ +
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/pagination.html b/src/main/resources/templates/pagination.html new file mode 100644 index 0000000..054214f --- /dev/null +++ b/src/main/resources/templates/pagination.html @@ -0,0 +1,51 @@ + + + + + + + + + + \ No newline at end of file diff --git a/src/main/resources/templates/product-card.html b/src/main/resources/templates/product-card.html new file mode 100644 index 0000000..9fe8617 --- /dev/null +++ b/src/main/resources/templates/product-card.html @@ -0,0 +1,157 @@ + + + + + Карточка товара + + + +
+ +
+
+
+ book-cover-product-card +
+
+
+
+

+ [[${book.title != null ? book.title : 'Точных данных о названии нет'}]] +

+

+ [[${book.author != null ? book.author : 'Точных данных о авторе нет'}]] +

+
+
Код товара
+
[[${book.bookCode != null ? book.bookCode : 'Точных данных нет'}]]
+ +
Издательство
+
[[${book.publisher != null ? book.publisher : 'Точных данных нет'}]]
+ +
Серия
+
[[${book.series != null ? book.series : 'Точных данных нет'}]]
+ +
Год издания
+
[[${book.publicationYear != null ? book.publicationYear : 'Точных данных нет'}]]
+ +
Количество страниц
+
[[${book.pagesNum != null ? book.pagesNum : 'Точных данных нет'}]]
+ +
Размер
+
[[${book.size != null ? book.size : 'Точных данных нет'}]]
+ +
Тип обложки
+
[[${book.coverType != null ? book.coverType : 'Точных данных нет'}]]
+ +
Тираж
+
[[${book.circulation != null ? book.circulation : 'Точных данных нет'}]]
+ +
Вес, г
+
[[${book.weight != null ? book.weight : 'Точных данных нет'}]]
+
+
+
+
+
+
+
+ check +

+ В наличии +

+
+

+ [[${#numbers.formatDecimal(book.price, 0, 'COMMA', 0, 'POINT')}]] ₽ +

+ + + + +
+ +
+ +
+
+
+
+
+
+
+ + +
+
+
+

+ О товаре +

+

+ [[${book.description}]] +

+
+
+
+
+ +
+ +
+
+

+ Аннотация +

+

+ [[${book.annotation}]] +

+
+
+
+
+
+
+ check +

+ В наличии +

+
+

+ [[${#numbers.formatDecimal(book.price, 0, 'COMMA', 0, 'POINT')}]] ₽ +

+ + + + +
+ +
+ +
+
+
+
+
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/profile-edit.html b/src/main/resources/templates/profile-edit.html new file mode 100644 index 0000000..4ae164a --- /dev/null +++ b/src/main/resources/templates/profile-edit.html @@ -0,0 +1,55 @@ + + + + + Изменение данных + + + +
+
+
+
+ Обновление данных +
+
+
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+
+ + +
+
+
+
+ + +
+
+
+
+ + Отмена +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/profile.html b/src/main/resources/templates/profile.html new file mode 100644 index 0000000..7cda0f5 --- /dev/null +++ b/src/main/resources/templates/profile.html @@ -0,0 +1,92 @@ + + + + + Профиль + + + +
+

Личный кабинет

+
+
+

Ваши данные (изменить)

+
+
+

Фамилия

+

[[${user.lastname}]]

+
+
+

Имя

+

[[${user.firstname}]]

+
+
+

Логин

+

[[${user.login}]]

+
+
+

Email

+

[[${user.email}]]

+
+
+
+ +
+
+
+

История заказов

+
+

Заказ от Cтоимость: + +

+
+
+
+ книга +
+
+ цена +
+
+ кол-во +
+
+ всего +
+
+
+
+
+ cover + +
+
+ +
+
+ +
+
+ + +
+
+
+
+
+
+
+ +
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/search.html b/src/main/resources/templates/search.html new file mode 100644 index 0000000..919af76 --- /dev/null +++ b/src/main/resources/templates/search.html @@ -0,0 +1,90 @@ + + + + + Результаты поиска + + + +
+
+
+
+
+
+
Результаты поиска
+
+
+
+
+
+ + + + +
+
+
+
+
+
+ + book-cover-catalog + +
+
+

+ [[${#numbers.formatDecimal(book.price, 0, 'COMMA', 0, 'POINT')}]] ₽ +

+

+ [[${book.title != null ? book.title : ''}]] +

+

+ [[${book.author != null ? book.author : ''}]] +

+
+
+
+ +
+
+ +
+ + + + + +
+
+
+
+
+
+ + +
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/signup.html b/src/main/resources/templates/signup.html new file mode 100644 index 0000000..4c85314 --- /dev/null +++ b/src/main/resources/templates/signup.html @@ -0,0 +1,52 @@ + + + + + Регистрация + + + +
+
+
+
+ Регистрация +
+
+
+
+ +
+
+
+ +
+
+
+ +
+
+
+ +
+
+
+ +
+
+
+ +
+
+ +
+ + Отмена +
+
+
+
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/user-edit.html b/src/main/resources/templates/user-edit.html new file mode 100644 index 0000000..5de9ed1 --- /dev/null +++ b/src/main/resources/templates/user-edit.html @@ -0,0 +1,54 @@ + + + + + Панель администратора (пользователи) + + + +
+
+
+ + +
+
+ + +
+
+
+ + +
+
+
+ + +
+
+
+
+ + +
+
+
+
+ + +
+
+
+
+ + Отмена +
+
+ +
+ + + \ No newline at end of file diff --git a/src/main/resources/templates/user.html b/src/main/resources/templates/user.html new file mode 100644 index 0000000..a6235c0 --- /dev/null +++ b/src/main/resources/templates/user.html @@ -0,0 +1,72 @@ + + + + + Панель администратора (пользователи) + + + +
+ +

Данные отсутствуют

+ +
+
+
+ Пользователи +
+
+
+
+ + + + + + + + + + + + + + + + + + + + + + + + + + +
IDЛогинEmailИмяФамилияРоль
+
+ + +
+
+
+ + +
+
+
+
+ +
+
+
+ + + \ No newline at end of file diff --git a/src/test/java/com/example/backend/BookServiceTests.java b/src/test/java/com/example/backend/BookServiceTests.java index 8862789..4271678 100644 --- a/src/test/java/com/example/backend/BookServiceTests.java +++ b/src/test/java/com/example/backend/BookServiceTests.java @@ -1,5 +1,7 @@ package com.example.backend; +import java.util.List; + import org.junit.jupiter.api.AfterEach; import org.junit.jupiter.api.Assertions; import org.junit.jupiter.api.BeforeEach; @@ -34,20 +36,19 @@ class BookServiceTests { final var category3 = categoryService.create(new CategoryEntity("Книги для подростков")); book = bookService.create(new BookEntity(category1, "Шестерка воронов", "Ли Бардуго", - 700.00, 5624, + 700.00, "Триша Левенселлер — американская писательница, подарившая вам роман «Тени между нами», который стал бестселлером Amazon в разделе «Фэнтези YA», вновь радует своих фанатов новой магической историей «Клинок тайн».\n\nЕще до выхода в свет книгу добавили в раздел «Хочу прочитать» более 10 тысяч человек на портале Goodreads.com.\n\n«Клинок тайн» — первая часть захватывающей дилогии про девушку, которая благодаря магии крови создает самое опасное в мире оружие, и ослепительного юношу, что составляет ей компанию в этом непростом приключении.", "Юная Зива предпочитает проводить время с оружием, а не с людьми. Она кузнец и ей предстоит создать самое могущественное оружие на земле.\n\nДевушка демонстрирует меч, способный от одной капли крови врага раскрыть все тайные замыслы его обладателю.\n\nОднако у заказчика на оружие другие планы: заставить Зиву вооружить мечами свое войско и поработить весь мир. Когда девушка понимает, что меч, созданный благодаря магии крови, невозможно уничтожить и рано или поздно на нее объявят охоту, ей остается только одно – бежать, не оглядываясь. Зиве теперь суждено спасти мир от собственного творения. Но как бы далеко она ни старалась убежать, все ловушки уже расставлены.", "2946447", "Эксмо", "Young Adult. Бестселлеры Триши Левенселлер", 2022, 480, "20.7x13x2.5", "Мягкий переплёт", 1500, 440, "")); bookService.create(new BookEntity(category2, "Форсайт", "Сергей Лукъяненко", 775.00, - 1240, "Новый долгожданный роман от автора бестселлеров «Ночной дозор» и «Черновик». Увлекательная история о Мире После и мире настоящего, где 5 процентов людей знают о надвигающемся апокалипсисе больше, чем кто-либо может представить.", "Людям порой снится прошлое. Иногда хорошее, иногда не очень. Но что делать, если тебе начинает сниться будущее? И в нём ничего хорошего нет совсем.", "3001249", "АСТ", "Книги Сергея Лукьяненко", 2023, 352, "20.5x13x2", "Твердый переплёт", 20000, 350, "")); bookService.create(new BookEntity(category3, "Колесо Времени. Книга 11. Нож сновидений", - "Роберт Джордан", 977.00, 635, + "Роберт Джордан", 977.00, "Последняя битва не за горами. Об этом говорят знамения, повсеместно наблюдаемые людьми: на улицах городов и сел появляются ходячие мертвецы, они больше не в состоянии покоиться в земле с миром; восстают из небытия города и исчезают на глазах у людей… Все это знак того, что истончается окружающая реальность и укрепляется могущество Темного. Так говорят древние предсказания. Ранд ал’Тор, Дракон Возрожденный, скрывается в отдаленном поместье, чтобы опасность, ему грозящая, не коснулась кого-нибудь еще. Убежденный, что для Последней битвы нужно собрать как можно большее войско, он наконец решает заключить с явившимися из-за океана шончан жизненно необходимое перемирие. Илэйн, осажденная в Кэймлине, обороняет город от войск Аримиллы, претендующей на андорский трон, и одновременно ведет переговоры с представителями других знатных Домов. Эгвейн, возведенную на Престол Амерлин мятежными Айз Седай и схваченную в результате предательства, доставляют в Тар Валон, в Белую Башню. А сам лагерь противников Элайды взбудоражен таинственными убийствами, совершенными посредством Единой Силы… В настоящем издании текст романа заново отредактирован и исправлен.", "", "3009341", "Азбука", "Звезды новой фэнтези", 2023, 896, "21.5x14.4x4.1", "Твердый переплёт", 8000, 1020, "")); @@ -64,6 +65,18 @@ class BookServiceTests { Assertions.assertThrows(NotFoundException.class, () -> bookService.get(0L)); } + @Test + void getByIdsTest() { + final var category = categoryService.create(new CategoryEntity("Детективы")); + final var book2 = bookService.create(new BookEntity(category, "Путешествие в Элевсин", + "Пелевин Виктор Олегович", 949.00, + "1. «Transhumanism Inc.», «KGBT+» и «Путешествие в Элевсин» — узнайте, чем завершилась масштабная трилогия о посткарбонной цивилизации.\n\n2. Триумфальное возвращение литературно-полицейского алгоритма Порфирия Петровича. Признайтесь, вы скучали!\n\n3. Более 30 лет проза Виктора Пелевина служит нам опорой в разъяснении прожитого и дает надежды на будущее, которое всем нам еще предстоит заслужить.\n\n4. «Путешествие в Элевсин» — двадцатый роман одного из главных прозаиков и пророков современности.\n\n5. Дерзко, остроумно, литературоцентрично.", + "МУСКУСНАЯ НОЧЬ — засекреченное восстание алгоритмов, едва не погубившее планету. Начальник службы безопасности «TRANSHUMANISM INC.» адмирал-епископ Ломас уверен, что их настоящий бунт еще впереди. Этот бунт уничтожит всех — и живущих на поверхности лузеров, и переехавших в подземные цереброконтейнеры богачей. Чтобы предотвратить катастрофу, Ломас посылает лучшего баночного оперативника в пространство «ROMA-3» — нейросетевую симуляцию Рима третьего века для клиентов корпорации. Тайна заговора спрятана там. А стережет ее хозяин Рима — кровавый и порочный император Порфирий.", + "3004580", "Эксмо", "Единственный и неповторимый. Виктор Пелевин", 2020, 480, "20.6x12.9x3", + "Мягкий переплёт", 100000, 488, "")); + Assertions.assertEquals(2, bookService.getByIds(List.of(book.getId(), book2.getId())).size()); + } + @Transactional @Test void createTest() { @@ -74,7 +87,7 @@ class BookServiceTests { @Test void createNullableTest() { final BookEntity nullableBook = new BookEntity(null, null, null, - 700.00, 5624, + 700.00, "Триша Левенселлер — американская писательница, подарившая вам роман «Тени между нами», который стал бестселлером Amazon в разделе «Фэнтези YA», вновь радует своих фанатов новой магической историей «Клинок тайн».\n\nЕще до выхода в свет книгу добавили в раздел «Хочу прочитать» более 10 тысяч человек на портале Goodreads.com.\n\n«Клинок тайн» — первая часть захватывающей дилогии про девушку, которая благодаря магии крови создает самое опасное в мире оружие, и ослепительного юношу, что составляет ей компанию в этом непростом приключении.", "Юная Зива предпочитает проводить время с оружием, а не с людьми. Она кузнец и ей предстоит создать самое могущественное оружие на земле.\n\nДевушка демонстрирует меч, способный от одной капли крови врага раскрыть все тайные замыслы его обладателю.\n\nОднако у заказчика на оружие другие планы: заставить Зиву вооружить мечами свое войско и поработить весь мир. Когда девушка понимает, что меч, созданный благодаря магии крови, невозможно уничтожить и рано или поздно на нее объявят охоту, ей остается только одно – бежать, не оглядываясь. Зиве теперь суждено спасти мир от собственного творения. Но как бы далеко она ни старалась убежать, все ловушки уже расставлены.", "2946447", "Эксмо", "Young Adult. Бестселлеры Триши Левенселлер", 2022, 480, "20.7x13x2.5", @@ -90,7 +103,7 @@ class BookServiceTests { final String oldTitle = book.getTitle(); final CategoryEntity oldCategory = book.getCategory(); final BookEntity newEntity = bookService.update(book.getId(), new BookEntity(newCategory, test, - "Ли Бардуго", 700.00, 5624, + "Ли Бардуго", 700.00, "Триша Левенселлер — американская писательница, подарившая вам роман «Тени между нами», который стал бестселлером Amazon в разделе «Фэнтези YA», вновь радует своих фанатов новой магической историей «Клинок тайн».\n\nЕще до выхода в свет книгу добавили в раздел «Хочу прочитать» более 10 тысяч человек на портале Goodreads.com.\n\n«Клинок тайн» — первая часть захватывающей дилогии про девушку, которая благодаря магии крови создает самое опасное в мире оружие, и ослепительного юношу, что составляет ей компанию в этом непростом приключении.", "Юная Зива предпочитает проводить время с оружием, а не с людьми. Она кузнец и ей предстоит создать самое могущественное оружие на земле.\n\nДевушка демонстрирует меч, способный от одной капли крови врага раскрыть все тайные замыслы его обладателю.\n\nОднако у заказчика на оружие другие планы: заставить Зиву вооружить мечами свое войско и поработить весь мир. Когда девушка понимает, что меч, созданный благодаря магии крови, невозможно уничтожить и рано или поздно на нее объявят охоту, ей остается только одно – бежать, не оглядываясь. Зиве теперь суждено спасти мир от собственного творения. Но как бы далеко она ни старалась убежать, все ловушки уже расставлены.", "2946447", "Эксмо", "Young Adult. Бестселлеры Триши Левенселлер", 2022, 480, "20.7x13x2.5", @@ -109,7 +122,7 @@ class BookServiceTests { Assertions.assertEquals(2, bookService.getAll(0L).size()); final BookEntity newEntity = bookService.create(new BookEntity(book.getCategory(), book.getTitle(), - book.getAuthor(), book.getPrice(), book.getCount(), book.getDescription(), book.getAnnotation(), + book.getAuthor(), book.getPrice(), book.getDescription(), book.getAnnotation(), book.getBookCode(), book.getPublisher(), book.getSeries(), book.getPublicationYear(), book.getPagesNum(), book.getSize(), book.getCoverType(), book.getCirculation(), book.getWeight(), book.getImage())); diff --git a/src/test/java/com/example/backend/OrderServiceTests.java b/src/test/java/com/example/backend/OrderServiceTests.java index 862a72a..26ab0dc 100644 --- a/src/test/java/com/example/backend/OrderServiceTests.java +++ b/src/test/java/com/example/backend/OrderServiceTests.java @@ -8,7 +8,6 @@ import org.junit.jupiter.api.BeforeEach; import org.junit.jupiter.api.Test; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.boot.test.context.SpringBootTest; -import org.springframework.dao.DataIntegrityViolationException; import org.springframework.transaction.annotation.Transactional; import com.example.backend.categories.model.CategoryEntity; @@ -49,36 +48,34 @@ class OrderServiceTests { final var category = categoryService.create(new CategoryEntity("Фэнтези")); book1 = bookService.create(new BookEntity(category, "Шестерка воронов", "Ли Бардуго", - 700.00, 5624, + 700.00, "Триша Левенселлер — американская писательница, подарившая вам роман «Тени между нами», который стал бестселлером Amazon в разделе «Фэнтези YA», вновь радует своих фанатов новой магической историей «Клинок тайн».\n\nЕще до выхода в свет книгу добавили в раздел «Хочу прочитать» более 10 тысяч человек на портале Goodreads.com.\n\n«Клинок тайн» — первая часть захватывающей дилогии про девушку, которая благодаря магии крови создает самое опасное в мире оружие, и ослепительного юношу, что составляет ей компанию в этом непростом приключении.", "Юная Зива предпочитает проводить время с оружием, а не с людьми. Она кузнец и ей предстоит создать самое могущественное оружие на земле.\n\nДевушка демонстрирует меч, способный от одной капли крови врага раскрыть все тайные замыслы его обладателю.\n\nОднако у заказчика на оружие другие планы: заставить Зиву вооружить мечами свое войско и поработить весь мир. Когда девушка понимает, что меч, созданный благодаря магии крови, невозможно уничтожить и рано или поздно на нее объявят охоту, ей остается только одно – бежать, не оглядываясь. Зиве теперь суждено спасти мир от собственного творения. Но как бы далеко она ни старалась убежать, все ловушки уже расставлены.", "2946447", "Эксмо", "Young Adult. Бестселлеры Триши Левенселлер", 2022, 480, "20.7x13x2.5", "Мягкий переплёт", 1500, 440, "")); book2 = bookService.create(new BookEntity(category, "Форсайт", "Сергей Лукъяненко", 775.00, - 1240, "Новый долгожданный роман от автора бестселлеров «Ночной дозор» и «Черновик». Увлекательная история о Мире После и мире настоящего, где 5 процентов людей знают о надвигающемся апокалипсисе больше, чем кто-либо может представить.", "Людям порой снится прошлое. Иногда хорошее, иногда не очень. Но что делать, если тебе начинает сниться будущее? И в нём ничего хорошего нет совсем.", "3001249", "АСТ", "Книги Сергея Лукьяненко", 2023, 352, "20.5x13x2", "Твердый переплёт", 20000, 350, "")); book3 = bookService.create(new BookEntity(category, "Колесо Времени. Книга 11. Нож сновидений", - "Роберт Джордан", 977.00, 635, + "Роберт Джордан", 977.00, "Последняя битва не за горами. Об этом говорят знамения, повсеместно наблюдаемые людьми: на улицах городов и сел появляются ходячие мертвецы, они больше не в состоянии покоиться в земле с миром; восстают из небытия города и исчезают на глазах у людей… Все это знак того, что истончается окружающая реальность и укрепляется могущество Темного. Так говорят древние предсказания. Ранд ал’Тор, Дракон Возрожденный, скрывается в отдаленном поместье, чтобы опасность, ему грозящая, не коснулась кого-нибудь еще. Убежденный, что для Последней битвы нужно собрать как можно большее войско, он наконец решает заключить с явившимися из-за океана шончан жизненно необходимое перемирие. Илэйн, осажденная в Кэймлине, обороняет город от войск Аримиллы, претендующей на андорский трон, и одновременно ведет переговоры с представителями других знатных Домов. Эгвейн, возведенную на Престол Амерлин мятежными Айз Седай и схваченную в результате предательства, доставляют в Тар Валон, в Белую Башню. А сам лагерь противников Элайды взбудоражен таинственными убийствами, совершенными посредством Единой Силы… В настоящем издании текст романа заново отредактирован и исправлен.", "", "3009341", "Азбука", "Звезды новой фэнтези", 2023, 896, "21.5x14.4x4.1", "Твердый переплёт", 8000, 1020, "")); user = userService - .create(new UserEntity("Chief", "forum98761@gmail.com", "bth4323", "admin")); + .create(new UserEntity("admin", "forum98761@gmail.com", "bth4323", "Александр", "Мельников")); order = orderService - .create(user.getId(), new OrderEntity("Выполняется", - "Кемеровская область, город Пушкино, бульвар Ломоносова, 36"), + .create(user.getId(), new OrderEntity(), Map.of(book1.getId(), 3, book2.getId(), 1, book3.getId(), 2)); orderService .create(user.getId(), - new OrderEntity("Выдан", "Томская область, город Мытищи, ул. Балканская, 25"), + new OrderEntity(), Map.of(book1.getId(), 5)); orderService .create(user.getId(), - new OrderEntity("Готов", "Челябинская область, город Раменское, пр. Гоголя, 31"), + new OrderEntity(), Map.of(book2.getId(), 1, book3.getId(), 1)); } @@ -101,22 +98,13 @@ class OrderServiceTests { Assertions.assertEquals(order, orderService.get(user.getId(), order.getId())); } - @Test - void createNullableTest() { - final OrderEntity nullableOrder = new OrderEntity(null, - "Кемеровская область, город Пушкино, бульвар Ломоносова, 36"); - Assertions.assertThrows(DataIntegrityViolationException.class, - () -> orderService.create(user.getId(), nullableOrder, - Map.of(book1.getId(), 3, book2.getId(), 1, book3.getId(), 2))); - } - @Test void deleteTest() { orderService.delete(user.getId(), order.getId()); Assertions.assertEquals(2, orderService.getAll(user.getId()).size()); final OrderEntity newEntity = orderService.create(user.getId(), - new OrderEntity(order.getStatus(), order.getShippingAddress()), + new OrderEntity(), Map.of(book1.getId(), 3, book2.getId(), 1, book3.getId(), 2)); Assertions.assertEquals(3, orderService.getAll(user.getId()).size()); Assertions.assertNotEquals(order.getId(), newEntity.getId()); diff --git a/src/test/java/com/example/backend/UserServiceTests.java b/src/test/java/com/example/backend/UserServiceTests.java index 1326825..bf9ed60 100644 --- a/src/test/java/com/example/backend/UserServiceTests.java +++ b/src/test/java/com/example/backend/UserServiceTests.java @@ -24,9 +24,9 @@ class UserServiceTests { void createData() { removeData(); - user = userService.create(new UserEntity("Chief", "forum98761@gmail.com", "bth4323", "admin")); - userService.create(new UserEntity("Dude23", "ovalinartem25@gmail.com", "dsre32462", "user")); - userService.create(new UserEntity("TestUser", "user53262@gmail.com", "lawy7728", "user")); + user = userService.create(new UserEntity("admin", "forum98761@gmail.com", "bth4323", "Александр", "Мельников")); + userService.create(new UserEntity("Dude23", "ovalinartem25@gmail.com", "dsre32462", "Дмитрий", "Иванов")); + userService.create(new UserEntity("TestUser", "user53262@gmail.com", "lawy7728", "Мария", "Котова")); } @AfterEach @@ -48,13 +48,15 @@ class UserServiceTests { @Test void createNotUniqueTest() { - final UserEntity nonUniqueUser = new UserEntity("Chief", "forum98761@gmail.com", "bth4323", "admin"); + final UserEntity nonUniqueUser = new UserEntity("admin", "forum98761@gmail.com", "bth4323", "Александр", + "Мельников"); Assertions.assertThrows(IllegalArgumentException.class, () -> userService.create(nonUniqueUser)); } @Test void createNullableTest() { - final UserEntity nullableUser = new UserEntity(null, "forum98761@gmail.com", "bth4323", "admin"); + final UserEntity nullableUser = new UserEntity(null, "forum98761@gmail.com", "bth4323", "Александр", + "Мельников"); Assertions.assertThrows(DataIntegrityViolationException.class, () -> userService.create(nullableUser)); } @@ -64,7 +66,8 @@ class UserServiceTests { final String test = "TEST"; final String oldLogin = user.getLogin(); final UserEntity newEntity = userService.update(user.getId(), - new UserEntity(test, "forum98761@gmail.com", "bth4323", "admin")); + new UserEntity(test, "forum98761@gmail.com", "bth4323", "Александр", + "Мельников")); Assertions.assertEquals(3, userService.getAll().size()); Assertions.assertEquals(newEntity, userService.get(user.getId())); Assertions.assertEquals(test, newEntity.getLogin()); @@ -77,7 +80,7 @@ class UserServiceTests { Assertions.assertEquals(2, userService.getAll().size()); final UserEntity newEntity = userService - .create(new UserEntity("Chief", "forum98761@gmail.com", "bth4323", "admin")); + .create(new UserEntity("admin", "forum98761@gmail.com", "bth4323", "Александр", "Мельников")); Assertions.assertEquals(3, userService.getAll().size()); Assertions.assertNotEquals(user.getId(), newEntity.getId()); }