This commit is contained in:
Andrey Kuvshinov
2025-12-13 23:29:25 +03:00
parent 40aa3d7814
commit 80fb06e420
8 changed files with 574 additions and 60 deletions

View File

@@ -1,50 +1,71 @@
import { fetchGraphQL } from './graphql-client.js';
import type { MenuItem } from '../types/graphql.js';
interface MenuItemNode {
uri: string;
url: string;
order: number;
label: string;
}
interface MenuNode {
name: string;
menuItems: {
nodes: MenuItemNode[];
};
}
// Функция ДЛЯ ГЛАВНОГО МЕНЮ (максимум 5 пунктов)
export async function getMainHeaderMenu(): Promise<MenuItem[]> {
const query = `
query GetMainHeaderMenu {
menu(id: "103245", idType: DATABASE_ID) {
menuItems(
first: 5, # Берем только 5
where: {parentId: null} # Только верхний уровень
) {
nodes {
id
label
url
target
order
cssClasses
interface MenusResponse {
menus: {
nodes: MenuNode[];
};
}
/**
* Get navigation menu from WordPress
*/
export async function navQuery(): Promise<MenusResponse> {
try {
const query = `{
menus(where: {location: PRIMARY}) {
nodes {
name
menuItems {
nodes {
uri
url
order
label
}
}
}
}
}
`;
}`;
try {
const data = await fetchGraphQL(query);
const items = data.menu?.menuItems?.nodes || [];
// Сортируем по order и гарантируем максимум 5
return items
.sort((a: MenuItem, b: MenuItem) => a.order - b.order)
.slice(0, 5);
} catch (error) {
console.error('Ошибка загрузки главного меню:', error);
// Запасной вариант на случай ошибки (ровно 5 пунктов)
return [
{ id: '1', label: 'Главная', url: '/', order: 0 },
{ id: '2', label: 'Каталог', url: '/catalog', order: 1 },
{ id: '3', label: 'О нас', url: '/about', order: 2 },
{ id: '4', label: 'Контакты', url: '/contacts', order: 3 },
{ id: '5', label: 'Блог', url: '/blog', order: 4 }
];
}
return await executeQuery<MenusResponse>(query, {}, "navigation");
} catch (error) {
log.error("Error fetching nav: " + error);
// Return fallback data for development
return {
menus: {
nodes: [
{
name: "Primary",
menuItems: {
nodes: [
{ uri: "/", url: "/", order: 1, label: "Home" },
{ uri: "/about/", url: "/about/", order: 2, label: "About" },
{
uri: "/contact/",
url: "/contact/",
order: 3,
label: "Contact",
},
],
},
},
],
},
};
}
}

View File

@@ -1,7 +1,13 @@
import { fetchGraphQL } from './graphql-client.js';
import type { ProfileArticle } from '../types/graphql.js';
// lib/api/posts.js
export interface AnewsPost {
title: string;
uri: string;
date: string;
}
//последние статьи
export async function getLatestPosts(first = 12, after = null) {
const query = `
query GetLatestProfileArticles($first: Int!, $after: String) {
@@ -75,12 +81,7 @@ export async function getLatestPosts(first = 12, after = null) {
}
export interface AnewsPost {
title: string;
uri: string;
date: string;
}
//последние новости
export async function getLatestAnews(count = 12): Promise<AnewsPost[]> {
const query = `
query GetAnews($count: Int!) {
@@ -96,4 +97,283 @@ export async function getLatestAnews(count = 12): Promise<AnewsPost[]> {
const data = await fetchGraphQL(query, { count });
return data.aNews?.nodes || []; // Исправлено: aNews вместо anews
}
}
// Получить ProfileArticle по databaseId
export async function getProfileArticleById(databaseId) {
const query = `
query GetProfileArticleById($id: ID!) {
profileArticle(id: $id, idType: DATABASE_ID) {
id
databaseId
title
content
excerpt
uri
slug
date
modified
status
featuredImage {
node {
id
sourceUrl
altText
caption
mediaDetails {
width
height
}
}
}
author {
node {
id
name
firstName
lastName
avatar {
url
}
description
uri
}
}
categories {
nodes {
id
name
slug
uri
description
}
}
tags {
nodes {
id
name
slug
uri
}
}
}
}
`;
const data = await fetchGraphQL(query, { id: databaseId });
return data?.profileArticle || null;
}
/**
* Получить тег по slug
*/
export async function getTagBySlug(slug) {
const query = `
query GetTagBySlug($slug: ID!) {
tag(id: $slug, idType: SLUG) {
id
databaseId
name
slug
description
count
seo {
title
metaDesc
canonical
opengraphTitle
opengraphDescription
opengraphImage {
sourceUrl
}
}
}
}
`;
try {
const data = await fetchGraphQL(query, { slug });
return data?.tag || null;
} catch (error) {
console.error('Error fetching tag:', error);
return null;
}
}
/**
* Получить посты тега с пагинацией (offset-based)
*/
export async function getTagPostsPaginated(tagSlug, perPage = 12, page = 1) {
const offset = (page - 1) * perPage;
const query = `
query GetTagPostsPaginated($slug: ID!, $first: Int!, $offset: Int!) {
tag(id: $slug, idType: SLUG) {
id
databaseId
name
slug
description
count
seo {
title
metaDesc
canonical
}
posts(
first: $first
offset: $offset
where: {
orderby: { field: DATE, order: DESC }
}
) {
nodes {
id
databaseId
title
excerpt
uri
slug
date
modified
featuredImage {
node {
sourceUrl(size: MEDIUM_LARGE)
altText
caption
mediaDetails {
width
height
}
}
}
author {
node {
id
name
firstName
lastName
avatar {
url
}
}
}
categories {
nodes {
id
name
slug
uri
}
}
tags {
nodes {
id
name
slug
}
}
seo {
title
metaDesc
}
}
pageInfo {
offsetPagination {
total
}
}
}
}
}
`;
try {
const data = await fetchGraphQL(query, {
slug: tagSlug,
first: perPage,
offset
});
const tag = data?.tag;
if (!tag) {
return {
tag: null,
posts: [],
total: 0,
totalPages: 0,
currentPage: page,
hasNext: false,
hasPrevious: false
};
}
const posts = tag.posts?.nodes || [];
const total = tag.posts?.pageInfo?.offsetPagination?.total || 0;
const totalPages = Math.ceil(total / perPage);
return {
tag,
posts,
total,
totalPages,
currentPage: page,
hasNext: page < totalPages,
hasPrevious: page > 1,
perPage
};
} catch (error) {
console.error('Error fetching tag posts:', error);
return {
tag: null,
posts: [],
total: 0,
totalPages: 0,
currentPage: page,
hasNext: false,
hasPrevious: false
};
}
}
/**
* Получить общее количество постов для всех тегов
*/
export async function getAllTagsWithCount(first = 100) {
const query = `
query GetAllTagsWithCount($first: Int!) {
tags(first: $first, where: { hideEmpty: true }) {
nodes {
id
databaseId
name
slug
count
posts(first: 1) {
pageInfo {
offsetPagination {
total
}
}
}
}
}
}
`;
const data = await fetchGraphQL(query, { first });
return data?.tags?.nodes || [];
}