PIbd-22.-Stroev-V.M.-Intern.../Lab3/js/lines-rest-api.js

89 lines
2.8 KiB
JavaScript
Raw Normal View History

2023-11-24 01:31:26 +04:00
// модуль для работы с REST API сервера
// адрес сервера
const serverUrl = "http://localhost:8081";
2023-12-06 18:57:32 +04:00
export function getRealDate() {
const date = new Date();
const year = date.getFullYear();
const month = `0${date.getMonth() + 1}`.slice(-2);
const day = `0${date.getDate()}`.slice(-2);
return `${year}-${month}-${day}`;
}
2023-11-24 01:31:26 +04:00
// функция возвращает объект нужной структуры для отправки на сервер
2023-12-06 18:57:32 +04:00
function createLineObject(itemName, itemDescription, itemImage) {
2023-11-24 01:31:26 +04:00
return {
2023-12-06 18:57:32 +04:00
date: getRealDate(),
2023-11-24 01:31:26 +04:00
name: itemName,
description: itemDescription,
image: itemImage,
};
}
// обращение к серверу для получения всех записей (get)
export async function getAllLines() {
const response = await fetch(`${serverUrl}/lines`);
if (!response.ok) {
throw response.statusText;
}
return response.json();
}
// обращение к серверу для создания записи (post)
// объект отправляется в теле запроса (body)
2023-12-06 18:57:32 +04:00
export async function createLine(itemName, description, image) {
const itemObject = createLineObject(itemName, description, image);
2023-11-24 01:31:26 +04:00
const options = {
method: "POST",
body: JSON.stringify(itemObject),
headers: {
"Accept": "application/json",
"Content-Type": "application/json",
},
};
const response = await fetch(`${serverUrl}/lines`, options);
if (!response.ok) {
throw response.statusText;
}
return response.json();
}
// обращение к серверу для обновления записи по id (put)
// объект отправляется в теле запроса (body)
// id передается в качестве части пути URL get-запроса
2023-12-06 18:57:32 +04:00
export async function updateLine(id, itemName, description, image) {
const itemObject = createLineObject(itemName, description, image);
2023-11-24 01:31:26 +04:00
const options = {
method: "PUT",
body: JSON.stringify(itemObject),
headers: {
"Accept": "application/json",
"Content-Type": "application/json",
},
};
const response = await fetch(`${serverUrl}/lines/${id}`, options);
if (!response.ok) {
throw response.statusText;
}
return response.json();
}
// обращение к серверу для удаления записи по id (delete)
// id передается в качестве части пути URL get-запроса
export async function deleteLine(id) {
const options = {
method: "DELETE",
};
const response = await fetch(`${serverUrl}/lines/${id}`, options);
if (!response.ok) {
throw response.statusText;
}
return response.json();
}