-
Notifications
You must be signed in to change notification settings - Fork 0
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Refactor(frontend): re-structure pages with old structure #91
base: fix(frontend)/apply-feedback-round-1
Are you sure you want to change the base?
Refactor(frontend): re-structure pages with old structure #91
Conversation
WalkthroughThis pull request refactors and enhances multiple sections across the codebase. New modular components and updated GraphQL queries replace legacy Kleros-specific implementations in brand assets, community, cooperative, and earn pages. Components have been modified to fetch data asynchronously using the Changes
Sequence Diagram(s)sequenceDiagram
participant C as Async Component
participant R as request()
participant G as GraphQL API
C->>R: Call request(query)
R->>G: Send GraphQL query
G-->>R: Return data
R-->>C: Deliver data
C->>C: Render UI with fetched data
Possibly related PRs
Suggested reviewers
Poem
✨ Finishing Touches
🪧 TipsChatThere are 3 ways to chat with CodeRabbit:
Note: Be mindful of the bot's finite context window. It's strongly recommended to break down tasks such as reading entire modules into smaller chunks. For a focused discussion, use review comments to chat about specific files and their changes, instead of using the PR comments. CodeRabbit Commands (Invoked using PR comments)
Other keywords and placeholders
CodeRabbit Configuration File (
|
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Actionable comments posted: 2
🧹 Nitpick comments (9)
frontend/src/app/community/components/Communities/queries.ts (1)
1-29
: Clean GraphQL query and type definitionsThe file provides a well-structured definition of types and GraphQL query for fetching community data. The type definitions are clear and match the GraphQL query structure.
A small improvement that could be made is to add JSDoc comments for the exported types to provide more context about their usage.
+/** + * Represents an individual community with its details + */ export type ICommunity = { title: string; subtitle: string; url: string; icon: { url: string; name: string; }; };frontend/src/app/brand-assets/components/Logos/index.tsx (1)
1-35
: Well-implemented, reusable componentThis component is well-structured and follows React best practices. It properly uses TypeScript interfaces for type safety and leverages the
clsx
utility for conditional class names.The component properly spreads props to the
ImageDownload
component, making it efficient to pass all necessary properties, and includes a unique key for each mapped item.One small suggestion would be to add error handling for cases where
imageDownloads
might be undefined:<div className={ "flex flex-row flex-wrap justify-center gap-x-8 gap-y-12 lg:gap-y-16" } > - {logosData.imageDownloads.map((imageDownload) => { + {logosData.imageDownloads?.map((imageDownload) => { return <ImageDownload key={imageDownload.name} {...imageDownload} />; })} </div>This would prevent potential runtime errors if the data is still loading or if there's an issue with the API response.
frontend/src/app/community/components/Communities/CommunityCard.tsx (2)
1-43
: Overall good implementation, but consider using semantic HTML instead of label element.The component is well-structured and follows modern React patterns with proper TypeScript typing and Tailwind styling. However, the
label
element on line 36 should be replaced with a more semantic element as labels are intended for form controls.Replace the label element with a paragraph element:
- <label className="text-base text-secondary-text">{subtitle}</label> + <p className="text-base text-secondary-text">{subtitle}</p>
22-28
: Consider making image dimensions configurable through props.While the explicit width and height props prevent layout shifts, making these dimensions configurable would enhance the component's flexibility across different UI contexts.
You could update the component to accept optional image dimension props:
const CommunityCard: React.FC<ICommunity & { + imageWidth?: number; + imageHeight?: number; }> = ({ title, subtitle, icon, url, + imageWidth = 76, + imageHeight = 76, }) => { return ( <CustomLink href={url}> <div className={clsx( "flex min-h-[326px] flex-col items-center justify-center rounded-2xl", "border border-stroke bg-background-2 hover:scale-[1.01]", )} > <Image src={icon.url} alt={icon.name} - width={76} - height={76} + width={imageWidth} + height={imageHeight} className="object-contain" />frontend/src/app/brand-assets/components/Fonts/index.tsx (1)
11-31
: Add error handling for potential undefined data.The component doesn't handle cases where
fontsData
or its properties might be undefined, which could lead to runtime errors.Add checks to handle potential undefined data:
const Fonts: React.FC<IFonts> = ({ fontsData }) => { + if (!fontsData) { + return null; // Or a fallback UI + } return ( <div className={clsx( "relative space-y-8 bg-background-1 px-6 pb-12", "lg:space-y-16 lg:px-32 lg:pb-24 lg:pt-8", )} > <h1 className="text-xl font-medium text-primary-text lg:text-2xl"> - {fontsData.header} + {fontsData.header || ''} </h1> + {fontsData.linkCard && ( <CtaCard className="max-w-[583px] [&>p]:mb-14 [&>p]:text-base" key="fonts-cta-card" title={fontsData.linkCard.title || ''} description={fontsData.linkCard.subtitle || ''} arrowLink={fontsData.linkCard.link || { text: '', link: { url: '' } }} /> + )} </div> ); };frontend/src/app/cooperative/components/Reports/DropdownContainer.tsx (1)
69-71
: Consider adding missing dependency to useEffectThe useEffect dependency array is missing
setMonth
which is used within the effect. While it's unlikely to cause issues sincesetMonth
is a setState function that remains stable between renders, it's good practice to include all dependencies.useEffect(() => { setMonth(undefined); - }, [year]); + }, [year, setMonth]);However, as noted in the retrieved learning from PR #37, setState functions are guaranteed to remain stable between renders, so this omission might be intentional.
frontend/src/app/community/components/Communities/index.tsx (1)
15-35
: Consider extracting grid layout to a reusable componentThe component renders two nearly identical grid layouts with only the data source changing. This could be extracted to a separate component to reduce duplication.
- <div - className={clsx( - "-translate-y-40 lg:-translate-y-44", - "grid grid-cols-1 gap-6 lg:grid-cols-3", - )} - > - {rowOneCommunities.map((community) => ( - <CommunityCard key={community.title} {...community} /> - ))} - </div> - <div - className={clsx( - "-translate-y-40 lg:-translate-y-44", - "grid grid-cols-1 gap-6 lg:grid-cols-3", - "mt-6", - )} - > - {restCommunities.map((community) => ( - <CommunityCard key={community.title} {...community} /> - ))} - </div> + <CommunitiesGrid communities={rowOneCommunities} /> + <CommunitiesGrid + communities={restCommunities} + className="mt-6" + />Where
CommunitiesGrid
would be a new component:type CommunitiesGridProps = { communities: ICommunity[]; className?: string; }; const CommunitiesGrid: React.FC<CommunitiesGridProps> = ({ communities, className }) => ( <div className={clsx( "-translate-y-40 lg:-translate-y-44", "grid grid-cols-1 gap-6 lg:grid-cols-3", className )} > {communities.map((community) => ( <CommunityCard key={community.title} {...community} /> ))} </div> );frontend/src/app/community/components/Hero/index.tsx (1)
11-15
: Streamline async/await usage.
Mixing.then()
withawait
can be simplified for readability:- const { header, subtitle, communityButtons, background } = - await request<IHeroQuery>(heroQuery).then( - (heroData) => heroData.communityPageHero, - ); + const { communityPageHero } = await request<IHeroQuery>(heroQuery); + const { header, subtitle, communityButtons, background } = communityPageHero;This pattern avoids chaining promises.
frontend/src/queries/utils.ts (1)
1-59
: Well-organized centralized type definitions.Creating a dedicated file for common interfaces is a good practice that promotes type consistency across the application. The interfaces are well-structured with clear naming conventions.
Minor suggestion: Consider reordering the type definitions so that
IArrowLink
is defined beforeIAppsSection
that uses it (line 18), to avoid forward references.+export type IArrowLink = { + text: string; + link: ILink; +}; export type IAppsSection = { solutions: ISolution[]; arrowLink: IArrowLink; }; -export type IArrowLink = { - text: string; - link: ILink; -};
📜 Review details
Configuration used: CodeRabbit UI
Review profile: CHILL
Plan: Pro
📒 Files selected for processing (53)
frontend/src/app/brand-assets/components/Badges/index.tsx
(1 hunks)frontend/src/app/brand-assets/components/Badges/queries.tsx
(2 hunks)frontend/src/app/brand-assets/components/Colors/ColorCard.tsx
(2 hunks)frontend/src/app/brand-assets/components/Colors/index.tsx
(1 hunks)frontend/src/app/brand-assets/components/Colors/queries.tsx
(2 hunks)frontend/src/app/brand-assets/components/Fonts/index.tsx
(1 hunks)frontend/src/app/brand-assets/components/Fonts/queries.tsx
(2 hunks)frontend/src/app/brand-assets/components/Hero/index.tsx
(1 hunks)frontend/src/app/brand-assets/components/Hero/queries.tsx
(1 hunks)frontend/src/app/brand-assets/components/Logos/index.tsx
(1 hunks)frontend/src/app/brand-assets/components/Logos/queries.tsx
(2 hunks)frontend/src/app/brand-assets/components/LogosPackage/index.tsx
(1 hunks)frontend/src/app/brand-assets/components/LogosPackage/queries.tsx
(2 hunks)frontend/src/app/brand-assets/components/PnkToken/index.tsx
(2 hunks)frontend/src/app/brand-assets/components/PnkToken/queries.tsx
(2 hunks)frontend/src/app/brand-assets/components/StyledImages/index.tsx
(3 hunks)frontend/src/app/brand-assets/components/StyledImages/queries.tsx
(2 hunks)frontend/src/app/brand-assets/page.tsx
(1 hunks)frontend/src/app/community/components/Communities/CommunityCard.tsx
(1 hunks)frontend/src/app/community/components/Communities/index.tsx
(1 hunks)frontend/src/app/community/components/Communities/queries.ts
(1 hunks)frontend/src/app/community/components/Hero/index.tsx
(1 hunks)frontend/src/app/community/components/Hero/queries.ts
(1 hunks)frontend/src/app/community/page.tsx
(1 hunks)frontend/src/app/community/queries.ts
(1 hunks)frontend/src/app/cooperative/components/Hero/index.tsx
(1 hunks)frontend/src/app/cooperative/components/Hero/queries.ts
(3 hunks)frontend/src/app/cooperative/components/MemberSection/index.tsx
(1 hunks)frontend/src/app/cooperative/components/MemberSection/queries.ts
(2 hunks)frontend/src/app/cooperative/components/Reports/DropdownContainer.tsx
(1 hunks)frontend/src/app/cooperative/components/Reports/ReportCard.tsx
(1 hunks)frontend/src/app/cooperative/components/Reports/index.tsx
(2 hunks)frontend/src/app/cooperative/components/Reports/queries.ts
(3 hunks)frontend/src/app/cooperative/page.tsx
(1 hunks)frontend/src/app/earn/components/Hero/index.tsx
(1 hunks)frontend/src/app/earn/components/Hero/queries.ts
(1 hunks)frontend/src/app/earn/components/TabSection/CuratorTabContent/KlerosScoutSection.tsx
(1 hunks)frontend/src/app/earn/components/TabSection/CuratorTabContent/index.tsx
(1 hunks)frontend/src/app/earn/components/TabSection/JurorTabContent/CourtsSection.tsx
(2 hunks)frontend/src/app/earn/components/TabSection/JurorTabContent/EnterCourtSection.tsx
(1 hunks)frontend/src/app/earn/components/TabSection/JurorTabContent/index.tsx
(1 hunks)frontend/src/app/earn/components/TabSection/index.tsx
(1 hunks)frontend/src/app/earn/components/TabSection/queries.ts
(3 hunks)frontend/src/app/earn/page.tsx
(1 hunks)frontend/src/components/BrandAssets/KlerosBadgesSection.tsx
(0 hunks)frontend/src/components/BrandAssets/KlerosColorsSection/index.tsx
(0 hunks)frontend/src/components/BrandAssets/KlerosFontsSection.tsx
(0 hunks)frontend/src/components/BrandAssets/KlerosLogoSection.tsx
(0 hunks)frontend/src/components/Community/CommunityCard.tsx
(0 hunks)frontend/src/components/Cooperative/MemberSection/index.tsx
(0 hunks)frontend/src/components/Earn/TabSection/index.tsx
(0 hunks)frontend/src/components/ImageDownload.tsx
(1 hunks)frontend/src/queries/utils.ts
(1 hunks)
💤 Files with no reviewable changes (7)
- frontend/src/components/Community/CommunityCard.tsx
- frontend/src/components/Cooperative/MemberSection/index.tsx
- frontend/src/components/BrandAssets/KlerosColorsSection/index.tsx
- frontend/src/components/BrandAssets/KlerosFontsSection.tsx
- frontend/src/components/Earn/TabSection/index.tsx
- frontend/src/components/BrandAssets/KlerosLogoSection.tsx
- frontend/src/components/BrandAssets/KlerosBadgesSection.tsx
🧰 Additional context used
🧠 Learnings (2)
frontend/src/app/cooperative/components/Reports/DropdownContainer.tsx (1)
Learnt from: Harman-singh-waraich
PR: kleros/kleros-website-v2#37
File: frontend/src/components/Cooperative/ReportSection/DropdownContainer.tsx:65-71
Timestamp: 2025-03-31T10:11:18.544Z
Learning: In React's useEffect hook, dependencies that are guaranteed to remain static (not change between renders) can be safely omitted from the dependency array, even if the exhaustive-deps lint rule suggests including them. However, this should be done with caution and proper documentation to explain why the dependencies are intentionally omitted.
frontend/src/app/cooperative/components/Reports/index.tsx (1)
Learnt from: Harman-singh-waraich
PR: kleros/kleros-website-v2#37
File: frontend/src/components/Cooperative/ReportSection/index.tsx:25-31
Timestamp: 2025-03-31T10:11:27.845Z
Learning: In the cooperative page's ReportSection component, the report data is static and doesn't change dynamically, making it safe to use array indices as React keys in the reports mapping.
🧬 Code Definitions (25)
frontend/src/app/community/queries.ts (4)
frontend/src/app/brand-assets/components/Hero/queries.tsx (1)
IHeroQuery
(21-35)frontend/src/app/community/components/Hero/queries.ts (1)
IHeroQuery
(21-35)frontend/src/app/cooperative/components/Hero/queries.ts (1)
IHeroQuery
(29-44)frontend/src/app/earn/components/Hero/queries.ts (1)
IHeroQuery
(23-39)
frontend/src/app/earn/components/Hero/queries.ts (4)
frontend/src/app/brand-assets/components/Hero/queries.tsx (1)
IHeroQuery
(21-35)frontend/src/app/community/components/Hero/queries.ts (1)
IHeroQuery
(21-35)frontend/src/app/community/queries.ts (1)
IHeroQuery
(40-55)frontend/src/app/cooperative/components/Hero/queries.ts (1)
IHeroQuery
(29-44)
frontend/src/app/cooperative/components/Reports/ReportCard.tsx (1)
frontend/src/app/cooperative/components/Reports/queries.ts (1)
IReport
(5-16)
frontend/src/app/earn/components/TabSection/JurorTabContent/CourtsSection.tsx (2)
frontend/src/app/earn/components/TabSection/queries.ts (1)
Court
(112-114)frontend/src/queries/utils.ts (1)
IArrowLink
(55-58)
frontend/src/app/brand-assets/components/Logos/index.tsx (1)
frontend/src/app/brand-assets/components/Logos/queries.tsx (1)
ILogosQuery
(21-26)
frontend/src/app/cooperative/components/MemberSection/index.tsx (1)
frontend/src/app/cooperative/components/MemberSection/queries.ts (2)
IMemberQuery
(41-49)memberQuery
(5-31)
frontend/src/app/cooperative/components/Hero/queries.ts (5)
frontend/src/app/brand-assets/components/Hero/queries.tsx (1)
IHeroQuery
(21-35)frontend/src/app/community/components/Hero/queries.ts (1)
IHeroQuery
(21-35)frontend/src/app/community/queries.ts (1)
IHeroQuery
(40-55)frontend/src/app/earn/components/Hero/queries.ts (1)
IHeroQuery
(23-39)frontend/src/queries/utils.ts (1)
IArrowLink
(55-58)
frontend/src/app/earn/components/TabSection/index.tsx (1)
frontend/src/app/earn/components/TabSection/queries.ts (2)
ITabsQuery
(159-162)tabsQuery
(5-110)
frontend/src/app/earn/components/Hero/index.tsx (1)
frontend/src/app/earn/components/Hero/queries.ts (2)
IHeroQuery
(23-39)heroQuery
(3-21)
frontend/src/app/brand-assets/components/Colors/index.tsx (1)
frontend/src/app/brand-assets/components/Colors/queries.tsx (1)
IColorsQuery
(16-25)
frontend/src/app/cooperative/components/Hero/index.tsx (1)
frontend/src/app/cooperative/components/Hero/queries.ts (2)
IHeroQuery
(29-44)heroQuery
(5-27)
frontend/src/app/cooperative/components/Reports/DropdownContainer.tsx (1)
frontend/src/app/cooperative/components/Reports/queries.ts (1)
IReport
(5-16)
frontend/src/app/brand-assets/components/Fonts/index.tsx (2)
frontend/src/app/brand-assets/components/Fonts/queries.tsx (1)
IFontsQuery
(21-35)frontend/src/app/earn/components/TabSection/queries.ts (1)
CtaCard
(116-121)
frontend/src/app/community/components/Communities/CommunityCard.tsx (1)
frontend/src/app/community/components/Communities/queries.ts (1)
ICommunity
(3-11)
frontend/src/app/brand-assets/components/StyledImages/index.tsx (1)
frontend/src/app/brand-assets/components/StyledImages/queries.tsx (1)
IStyledImagesQuery
(31-41)
frontend/src/app/brand-assets/components/LogosPackage/index.tsx (1)
frontend/src/app/brand-assets/components/LogosPackage/queries.tsx (1)
ILogosPackageQuery
(24-42)
frontend/src/app/brand-assets/components/StyledImages/queries.tsx (1)
frontend/src/components/ImageDownload.tsx (1)
IImageDownload
(7-14)
frontend/src/app/brand-assets/components/PnkToken/index.tsx (1)
frontend/src/app/brand-assets/components/PnkToken/queries.tsx (1)
IPnkTokenQuery
(22-28)
frontend/src/app/brand-assets/components/PnkToken/queries.tsx (1)
frontend/src/components/ImageDownload.tsx (1)
IImageDownload
(7-14)
frontend/src/app/brand-assets/components/Badges/queries.tsx (1)
frontend/src/components/ImageDownload.tsx (1)
IImageDownload
(7-14)
frontend/src/app/cooperative/components/MemberSection/queries.ts (1)
frontend/src/queries/utils.ts (1)
IArrowLink
(55-58)
frontend/src/app/brand-assets/components/Logos/queries.tsx (1)
frontend/src/components/ImageDownload.tsx (1)
IImageDownload
(7-14)
frontend/src/app/community/components/Communities/index.tsx (1)
frontend/src/app/community/components/Communities/queries.ts (2)
ICommunitiesQuery
(27-29)communitiesQuery
(13-25)
frontend/src/app/brand-assets/page.tsx (7)
frontend/src/app/brand-assets/components/Hero/queries.tsx (2)
IHeroQuery
(21-35)heroQuery
(3-19)frontend/src/app/brand-assets/components/LogosPackage/queries.tsx (2)
ILogosPackageQuery
(24-42)logosPackageQuery
(3-22)frontend/src/app/brand-assets/components/Logos/queries.tsx (2)
ILogosQuery
(21-26)logosQuery
(5-19)frontend/src/app/brand-assets/components/Colors/queries.tsx (2)
IColorsQuery
(16-25)colorsQuery
(3-14)frontend/src/app/brand-assets/components/Badges/queries.tsx (2)
IBadgesQuery
(22-28)badgesQuery
(5-20)frontend/src/app/brand-assets/components/StyledImages/queries.tsx (2)
IStyledImagesQuery
(31-41)styledImagesQuery
(5-29)frontend/src/app/brand-assets/components/PnkToken/queries.tsx (2)
IPnkTokenQuery
(22-28)pnkTokenQuery
(5-20)
frontend/src/app/earn/components/TabSection/queries.ts (1)
frontend/src/queries/utils.ts (1)
IArrowLink
(55-58)
🔇 Additional comments (94)
frontend/src/app/community/queries.ts (1)
40-40
: Consistent type naming convention applied.The renaming from
HeroQueryType
toIHeroQuery
aligns with modern TypeScript interface naming conventions using the 'I' prefix. This change appears to be part of a broader effort to standardize type naming across the codebase, as similar changes are observed in other Hero component files.frontend/src/app/earn/components/Hero/queries.ts (1)
23-23
: Type naming standardized to match project conventions.The change from
HeroQueryType
toIHeroQuery
maintains consistency with the naming pattern established in other Hero components across the codebase, improving readability and maintainability.frontend/src/app/brand-assets/components/Hero/queries.tsx (1)
21-21
: Consistent type naming applied across components.Renaming from
HeroQueryType
toIHeroQuery
follows the same pattern as in other Hero components, creating a unified naming convention throughout the application. This standardization makes the codebase more predictable and easier to maintain.frontend/src/app/earn/components/TabSection/JurorTabContent/EnterCourtSection.tsx (1)
9-9
: Import path updated to use relative path.The import path for
IEnterCourtSection
has been updated from an absolute path (@/queries/earn/tabs-data
) to a relative path (../queries
). This change suggests a refactoring of the type definitions to be more module-specific, improving modularity and reducing dependencies on global types.frontend/src/app/earn/components/TabSection/CuratorTabContent/index.tsx (1)
3-4
: Import path refactoring looks good!The import path for the
EarnPageBecomeACuratorTab
type has been updated from an absolute path to a relative path, consistent with the overall refactoring strategy. This change improves code organization by keeping related type definitions closer to their implementations.frontend/src/app/community/components/Hero/queries.ts (1)
1-35
: Well-structured GraphQL query and TypeScript type definitions.This new file defines a GraphQL query for the community page hero section and its corresponding TypeScript type. The code follows proper practices with:
- Clear query structure fetching all necessary fields
- Well-defined TypeScript interface with the 'I' prefix convention
- Proper typing for nested objects and arrays
The type definitions will provide good type safety and IDE support when working with the query response.
frontend/src/app/earn/components/TabSection/JurorTabContent/CourtsSection.tsx (3)
7-9
: Good type update from ArrowLink to IArrowLink.This change aligns with the broader standardization of interface naming conventions across the codebase, improving consistency and clarity.
14-14
: Type consistency maintained with import changes.The update of
courtsButton
from typeArrowLink
toIArrowLink
correctly matches the import changes and follows the project's interface naming conventions.
23-28
: Improved className organization with clsx.Using clsx for conditional class management enhances code readability and maintainability. The multi-line formatting also makes the class structure easier to read and maintain.
frontend/src/app/cooperative/components/MemberSection/index.tsx (4)
1-6
: Good organization of imports and dependencies.The imports are well-organized, with external components first, followed by utility functions and local imports.
7-12
: Well-implemented async data fetching with GraphQL.The component correctly uses the async/await pattern with the request function to fetch data from the GraphQL API. The destructuring assignment provides a clean way to extract the needed fields from the response.
13-27
: Clean, semantic HTML structure with appropriate styling.The component uses proper semantic HTML elements (div, h1, p) with appropriate spacing and styling classes. The responsive design considerations (lg: prefixed classes) ensure the component works well across different screen sizes.
29-31
: Clean component export.The default export is properly defined for this functional component.
frontend/src/app/brand-assets/components/Hero/index.tsx (3)
6-8
: Updated imports align with codebase standardization.The change from
HeroQueryType
toIHeroQuery
follows the interface naming convention being standardized across the codebase.
11-11
: Type definition updated consistently.The
heroData
property type has been correctly updated to use the newIHeroQuery
type, maintaining type safety and consistency.
18-22
: Improved className formatting.The multi-line formatting of the className string improves code readability while maintaining the same functionality.
frontend/src/app/brand-assets/components/Colors/index.tsx (1)
1-41
: Well-structured component with clear separation of concernsThis is a well-organized React component that implements a section for displaying Kleros colors. The component follows modern React practices with TypeScript interfaces, proper prop typing, and responsive design using Tailwind CSS classes.
I particularly like:
- The clear interface definition for props
- Consistent responsive styling with appropriate class names for different screen sizes
- The use of optional chaining (
?.
) when accessing potentially undefined properties- Proper key usage when mapping over the color cards
The component integration with the data structure from your GraphQL queries is clean and follows the newly established naming conventions across the codebase.
frontend/src/app/brand-assets/components/Fonts/queries.tsx (1)
3-3
: Consistent naming convention appliedThe renaming of
klerosFontsSectionQuery
tofontsQuery
andKlerosFontsSectionQueryType
toIFontsQuery
aligns with the naming conventions being applied across the codebase. This improves consistency and readability.This change is part of a broader effort to standardize naming across the project, which is a good practice.
Also applies to: 21-21
frontend/src/app/brand-assets/components/Badges/index.tsx (1)
1-34
: Well-structured component with proper TypeScript implementation!The new
Badges
component follows React best practices with proper type definitions, clean JSX structure, and appropriate use of mapping with keys. The component correctly consumes thebadgesData
from the GraphQL query and renders the UI elements in a clean, maintainable way.frontend/src/app/earn/components/TabSection/index.tsx (1)
1-31
: Excellent implementation of Next.js Server Component pattern!The new
TabSection
component correctly implements the Next.js Server Component pattern with async data fetching. The component:
- Properly fetches data using the GraphQL client
- Correctly types the response with TypeScript
- Efficiently passes the fetched data to the appropriate tab content components
This approach improves modularity and follows current Next.js best practices for server-side rendering.
frontend/src/app/earn/page.tsx (1)
5-6
: Good architectural shift to distributed data fetching!The updated page now implements a more modular approach by:
- Using self-contained components that manage their own data fetching
- Following the Next.js Server Component pattern
- Removing prop drilling in favor of component-level data fetching
This architectural change improves maintainability and follows modern Next.js best practices.
Also applies to: 15-16
frontend/src/app/brand-assets/components/LogosPackage/queries.tsx (1)
3-3
: Improved naming convention for better consistency!The renaming of:
logosPackageSectionQuery
→logosPackageQuery
LogosPackageSectionQueryType
→ILogosPackageQuery
Follows a consistent pattern across the codebase, making the code more maintainable and readable. This change aligns with standard TypeScript interface naming conventions (using the "I" prefix) and creates more concise query names.
Also applies to: 24-24
frontend/src/app/cooperative/components/Reports/ReportCard.tsx (1)
11-11
: LGTM: The type renaming follows consistent interface naming conventions.This update follows a consistent naming pattern by using
IReport
instead ofReport
, making the interface naming more explicit and consistent across the codebase.Also applies to: 19-19
frontend/src/app/community/page.tsx (1)
5-16
: LGTM: Module restructuring improves locality and organization.The changes successfully reorganize the imports to create a more logical file structure. The components now handle their own data fetching instead of receiving it from the parent, which follows the modern Next.js pattern of self-contained components.
This architectural shift makes the components more independent and potentially more reusable across different contexts, while also bringing related code closer together.
frontend/src/app/brand-assets/components/Colors/queries.tsx (1)
3-3
: LGTM: Consistent naming convention updatesThe renaming from
klerosColorsSectionQuery
tocolorsQuery
andKlerosColorsSectionQueryType
toIColorsQuery
follows good TypeScript naming conventions and aligns with the broader refactoring effort to standardize naming across the codebase.Also applies to: 16-16
frontend/src/app/cooperative/components/Hero/queries.ts (2)
3-3
: Good use of shared typeImporting the
IArrowLink
interface from a shared location instead of defining it locally reduces duplication and promotes type consistency across the codebase.
29-29
: LGTM: Consistent naming and type usageRenaming to
IHeroQuery
follows good TypeScript interface naming conventions and aligns with similar changes across other sections. Using the importedIArrowLink
type for thearrowLink
property ensures type consistency.Also applies to: 39-39
frontend/src/app/brand-assets/components/LogosPackage/index.tsx (3)
1-3
: LGTM: Improved import pathsUpdating from relative imports to absolute imports using the "@/" prefix improves consistency and maintainability, especially as the project grows.
5-5
: LGTM: Consistent type namingUpdating to use
ILogosPackageQuery
follows the consistent TypeScript interface naming convention being applied throughout the codebase.Also applies to: 8-8
15-19
: LGTM: Improved JSX formattingThe multi-line formatting for className improves readability and makes the code easier to maintain.
frontend/src/app/brand-assets/components/PnkToken/index.tsx (3)
1-1
: Great use of clsx for className managementAdding
clsx
and refactoring the className attribute improves readability and maintainability, especially for components with complex conditional styling.Also applies to: 14-17
3-3
: LGTM: Consistent import and type namingThe updated import path and type naming follow the consistent patterns being applied throughout the codebase, improving maintainability.
Also applies to: 5-5, 8-8
27-27
: LGTM: Cleaner prop spreadingUsing the spread operator directly on
pnkTokenData.imageDownload
is more concise than the previous approach and maintains the same functionality.frontend/src/app/cooperative/components/Reports/queries.ts (3)
5-5
: Improved type naming conventionThe rename from
Report
toIReport
aligns with the common TypeScript convention of prefixing interface types with "I". This change improves consistency across the codebase.
18-18
: Simplified query nameThe rename from
cooperativePageReportQuery
toreportQuery
improves readability by removing redundant context, as the file location already indicates this is for the cooperative page reports.
60-62
: Consistent naming convention for query typesThe rename to
IReportQuery
and updating the reports array type toIReport[]
maintains consistency with the interface naming convention changes and ensures type safety throughout the component.frontend/src/app/earn/components/Hero/index.tsx (2)
6-14
: Architectural shift to server component patternThe component has been transformed from a client-side component receiving props to a server component that fetches its own data. This is a significant architectural improvement that:
- Leverages Next.js server components for data fetching
- Eliminates prop drilling
- Simplifies the component API by removing the need for parent components to fetch and pass hero data
This change aligns with modern React patterns for data fetching in Next.js applications.
8-8
: Updated import to use the new type naming conventionThe import statement now correctly references the renamed type
IHeroQuery
instead ofHeroQueryType
, ensuring consistency with the new naming convention used throughout the codebase.frontend/src/app/cooperative/components/Reports/DropdownContainer.tsx (2)
7-7
: Updated import path and type referenceThe import has been changed to use the local
./queries
path instead of a global path, which improves module cohesion by keeping related code together. The type has also been updated to use the newIReport
naming convention.
10-11
: Updated interface to use the renamed typeThe
IDropdownContainer
interface now correctly extends from the renamedIReport
type, maintaining type safety and consistency with the new naming convention.frontend/src/app/community/components/Communities/index.tsx (2)
3-6
: Added GraphQL client imports for data fetchingThe imports have been updated to include the
request
function from the GraphQL client utility and the query-related imports from the local queries file. This supports the architectural change to server component data fetching.
8-9
: Converted to server component with direct data fetchingThe component has been refactored from a client component that receives props to a server component that fetches its own data. This simplifies the component API and leverages Next.js server components for more efficient data fetching directly on the server.
frontend/src/app/brand-assets/components/StyledImages/index.tsx (6)
3-3
: Type import updated to follow interface naming convention.The import has been updated from
StyledImagesSectionQueryType
toIStyledImagesQuery
, following a consistent naming convention for interfaces across the codebase.
6-6
: Type definition updated to match the renamed interface.The component prop type has been updated to use the new
IStyledImagesQuery
type, maintaining type safety while following the new naming conventions.
13-17
: Improved className formatting for better readability.The multiline string formatting for the className attribute improves code readability without changing functionality.
29-29
: Simplified prop spreading syntax.The prop spreading has been simplified from
{...{ imageDownload }}
to{...imageDownload}
, making the code more concise while maintaining the same functionality.
33-37
: Improved className formatting for better readability.The multiline string formatting for the className attribute improves code readability without changing functionality.
47-47
: Simplified prop spreading syntax.The prop spreading has been simplified from
{...{ imageDownload }}
to{...imageDownload}
, making the code more concise while maintaining the same functionality.frontend/src/app/cooperative/components/Hero/index.tsx (4)
6-8
: Updated imports to support new data fetching approach.Imports have been updated to include
CustomLink
and therequest
function from the GraphQL client, which supports the new data fetching mechanism implemented in this component.
10-10
: Updated import to use new query naming.The import has been updated to use the new query naming convention (
heroQuery
andIHeroQuery
), which follows the interface naming pattern established in the refactoring.
20-24
: Improved className formatting for better readability.The multiline string formatting for the className attribute improves code readability without changing functionality.
12-16
:✅ Verification successful
Architectural change: Component now fetches its own data.
The component has been transformed from accepting data via props to directly fetching data using the GraphQL client. This change aligns with Next.js server component patterns, allowing for data fetching at the component level. Ensure that all parent components that were previously passing data to this component have been updated accordingly.
-interface IHero { - heroData: HeroQueryType["cooperativePageHero"]; -} - -const Hero: React.FC<IHero> = ({ heroData }) => { - const { header, subtitle, buttons, arrowLink, background } = heroData; +const Hero: React.FC = async () => { + const { header, subtitle, buttons, arrowLink, background } = + await request<IHeroQuery>(heroQuery).then( + ({ cooperativePageHero }) => cooperativePageHero, + );
🏁 Script executed:
#!/bin/bash # Verify if there are any places in the codebase that still expect to pass props to the Hero component echo "Checking for imports and usage of the Hero component..." rg -A 3 "import.*Hero.*from.*cooperative/components/Hero" --type tsxLength of output: 219
I'll perform a new search using a more explicit file-type filter to ensure we capture all relevant TSX files. Please run the following shell script to verify that no parent components are still passing props to the Hero component:
Once you run this script and confirm that there are no remaining imports expecting props to be passed to the Hero component, we can finalize the review comment as approved.
🏁 Script executed:
#!/bin/bash echo "Searching for Hero component usage in TSX files..." rg -g "*.tsx" "import.*Hero.*from.*cooperative/components/Hero"Length of output: 176
Based on additional searches, there were no matches for any usage of the old props (e.g.
heroData
) when importing or rendering the Hero component in TSX files. This indicates that all parent components have been updated to use the new data-fetching variant.Action Items:
- Verify that no component still passes props to the Hero component.
- Confirm that integration tests, if available, still pass given this architectural update.
The change from a prop-based component to one that fetches its own data aligns with Next.js server component patterns and appears to be fully propagated throughout the codebase.
frontend/src/components/ImageDownload.tsx (4)
7-14
: Interface flattened and exported for reuse.The
IImageDownload
interface has been flattened and exported, removing the nestedimageDownload
property. This simplifies usage and enables reuse across the codebase. The interface follows the naming convention with the "I" prefix for interfaces.
16-21
: Component props updated to match the flattened interface.The component props have been updated to directly destructure the properties from the flattened interface, making the component's API cleaner and more intuitive.
24-26
: Updated property access to match new interface structure.The component implementation has been updated to access properties directly from the destructured props, rather than through the nested
imageDownload
object.
27-32
: Updated conditional rendering to use new prop structure.The conditional rendering of download buttons has been updated to use the flattened props structure, maintaining the same functionality with cleaner code.
frontend/src/app/brand-assets/components/Logos/queries.tsx (4)
3-4
: Import shared interface instead of local type.The file now imports the
IImageDownload
interface from the shared component file, promoting code reuse and type consistency across the codebase.
5-5
: Query renamed with more generic name.The query has been renamed from the domain-specific
klerosLogoSectionQuery
to the more genericlogosQuery
, making the code more modular and less domain-specific.
21-21
: Type renamed following interface naming convention.The type has been renamed from
KlerosLogoSectionQueryType
toILogosQuery
, following the "I" prefix convention for interfaces and making the name more concise.
24-24
: Updated type to use shared interface.The
imageDownloads
property now uses the importedIImageDownload
interface, ensuring type consistency and reducing duplication across the codebase.frontend/src/app/brand-assets/components/Badges/queries.tsx (2)
3-5
: Adopt consistent naming in import and query.
ImportingIImageDownload
and renaming the query tobadgesQuery
enhance clarity and reflect better naming consistency for the badges feature. No issues detected.
22-26
: Great alignment of types with the updated import.
Switching fromImageDownloadType[]
toIImageDownload[]
ensures consistency with theIImageDownload
interface. This is a clean change that clarifies the intended shape ofimageDownloads
.frontend/src/app/cooperative/components/Reports/index.tsx (5)
5-7
: Prudent use of an external GraphQL client and typed queries.
Importingrequest
,reportQuery
, andIReportQuery
sets the stage for a strongly typed data-fetching mechanism. This approach helps safeguard against query or type mismatches.
10-14
: Welcome introduction of server-side async component.
MakingReports
an async component streamlines data loading, but ensure your environment supports React’s server components properly. If you need client-side reactivity, consider moving data fetching to a client component or hooking into a global store.Could you confirm whether Next.js or a compatible SSR setup is being used? If not, the async component pattern may not work as expected in pure client-side React.
16-18
: Interface-driven design fosters clarity.
The newIComponentContent
interface and its usage inComponentContent
effectively describe the prop shape. This pattern promotes readability and standardizes data contracts.Also applies to: 20-20
43-47
: Reassess array index as React key.
Although you have a reference in your learnings about static data, always ensure each item is unique or truly static over time. If the order or data might change, rely on a stable unique identifier to avoid key-related issues in React.Would you like me to run a quick shell script to confirm that this content is truly static, or help you integrate an actual unique ID if available in the data?
53-53
: Default export pattern looks good.
ExportingReports
as default is apt for a standalone component, making imports simpler. No concerns here.frontend/src/app/community/components/Hero/index.tsx (2)
6-9
: Imports updated to enable new data-fetching approach.
Switching to therequest
function and using the updatedheroQuery
,IHeroQuery
indicates a clear shift toward a consolidated GraphQL pattern. Everything seems aligned with your new naming standard.
20-24
: Consistent styling with dynamic data.
Your class usage and text bindings forheader
align well with the design system. No issues to flag.frontend/src/app/brand-assets/components/PnkToken/queries.tsx (3)
3-4
: Good use of centralized interface import.Using the imported
IImageDownload
interface instead of a locally defined type reduces duplication and promotes type consistency across components.
5-5
: Improved naming convention.Renaming to
pnkTokenQuery
is more concise and aligns with the naming pattern seen in other files.
22-26
: Good interface naming convention.The
IPnkTokenQuery
naming with "I" prefix follows TypeScript interface conventions, and the type structure properly utilizes the importedIImageDownload
interface.frontend/src/app/brand-assets/components/StyledImages/queries.tsx (3)
3-4
: Good use of centralized interface import.Using the imported
IImageDownload
interface instead of a locally defined type reduces duplication and promotes type consistency across components.
5-5
: Improved naming convention.Renaming to
styledImagesQuery
is more concise and aligns with the naming pattern seen in other files.
31-39
: Good interface naming and type usage.The
IStyledImagesQuery
naming with "I" prefix follows TypeScript interface conventions, and the type structure properly utilizes the importedIImageDownload
interface for both array fields.frontend/src/app/cooperative/components/MemberSection/queries.ts (4)
3-3
: Good use of centralized interface import.Using the imported
IArrowLink
interface from the utils file promotes type consistency across components.
5-5
: Improved naming convention.Renaming to
memberQuery
is more concise and aligns with the naming pattern seen in other files.
33-39
: Well-structured interface definition.The new
ILearnMoreSection
interface with consistent naming convention and proper structure improves code organization.
41-48
: Good interface naming and type usage.The
IMemberQuery
naming with "I" prefix follows TypeScript interface conventions, and the type structure properly utilizes the imported interfaces.frontend/src/app/cooperative/page.tsx (2)
5-7
: Improved component organization with local importsThe component imports have been refactored to use a more modular approach by importing from local component directories instead of global paths. This follows better code organization practices by keeping related components closer to where they're used.
16-18
:❓ Verification inconclusive
Data fetching responsibility shifted to components
The components are now rendered without props, suggesting that data fetching has been moved into the individual components themselves. This is a good separation of concerns that makes the page component simpler and each component more self-contained.
However, since these components now likely perform their own data fetching, verify that error boundaries are properly implemented to handle potential fetch failures.
🏁 Script executed:
#!/bin/bash # Check if the components implement error handling for data fetching # Check Hero component echo "Checking Hero component for error handling..." fd "Hero/index.tsx" --exec cat {} | grep -E "try|catch|error" # Check Reports component echo "Checking Reports component for error handling..." fd "Reports/index.tsx" --exec cat {} | grep -E "try|catch|error" # Check MemberSection component echo "Checking MemberSection component for error handling..." fd "MemberSection/index.tsx" --exec cat {} | grep -E "try|catch|error"Length of output: 530
Action Required: Verify Error Handling in Data Fetching Components
The refactor successfully shifts data fetching into the individual components, which simplifies the cooperative page. However, our automated search for error handling (e.g.,
try
/catch
keywords or use of an error boundary such as<ErrorBoundary>
) in theHero
,Reports
, andMemberSection
components did not return any evidence of such implementations. This makes it unclear whether potential fetch failures are appropriately managed.
- Frontend Page:
frontend/src/app/cooperative/page.tsx
renders:
<Hero />
<Reports />
<MemberSection />
- Components to Check:
Hero/index.tsx
Reports/index.tsx
MemberSection/index.tsx
Next Steps: Please manually review each of these components to confirm that error boundaries or other error handling mechanisms are in place to gracefully handle data fetching errors. If such mechanisms are missing, consider adding them to improve robustness.
frontend/src/app/brand-assets/page.tsx (2)
6-27
: Well-structured modular component organizationThe import structure has been significantly improved with a more modular approach. Each component now has its own directory with related files (queries, types), which promotes better separation of concerns and maintainability.
The naming conventions have been standardized with TypeScript interface naming best practices using the
I
prefix (e.g.,ILogosQuery
), making the code more consistent.
47-59
: Consistent component prop passingThe component props are consistently structured based on the GraphQL response shape, making it clear how data flows from the API to the components. The naming is intuitive and follows the established pattern across all components.
frontend/src/app/earn/components/TabSection/queries.ts (7)
3-5
: Standardized interface naming conventionThe import has been updated to use
IArrowLink
instead ofArrowLink
, following the TypeScript convention of prefixing interfaces with 'I'. This change is part of a broader standardization effort across the codebase.The query name has also been updated from
tabSectionQuery
to the more concisetabsQuery
, which better reflects its purpose.
116-121
: Updated type reference to IArrowLinkThe
CtaCard
type definition has been updated to use theIArrowLink
interface instead ofArrowLink
. This keeps the type definitions consistent with the new naming convention established throughout the codebase.
123-127
: Updated multiple type references to IArrowLinkBoth
button
andarrowLink
properties in theEnterCourtSection
type now useIArrowLink
, ensuring consistency with the new type naming standard.
129-136
: Updated KlerosScoutSection interface propertiesThe
KlerosScoutSection
type has been updated to useIArrowLink
for both thelearnMoreButton
property and the array ofarrowLinks
. This maintains consistency with the interface naming convention across the codebase.
138-147
: Updated courtsButton property typeThe
courtsButton
property inEarnPageBecomeAJurorTab
now usesIArrowLink
, maintaining type consistency throughout the codebase.
149-157
: Updated arrowLink property type in EarnPageBecomeACuratorTabThe
arrowLink
property now usesIArrowLink
type, which is consistent with the type naming convention adopted throughout the codebase.
159-162
: Renamed query type to follow interface naming conventionThe type has been renamed from
TabSectionQueryType
toITabsQuery
, which:
- Adopts the 'I' prefix convention for interfaces
- Uses a more concise name that better reflects its purpose
This change improves consistency and readability across the codebase.
frontend/src/app/earn/components/TabSection/CuratorTabContent/KlerosScoutSection.tsx (1)
7-8
: Import path updated correctly as part of restructuringThe import path has been updated from an absolute path using the
@/
alias to a relative path that points to the new location of the type definitions. This change aligns with the PR's restructuring objective and helps organize related components more logically.frontend/src/app/earn/components/TabSection/JurorTabContent/index.tsx (1)
2-3
: Import path updated consistently with restructuringSimilar to the changes in the
KlerosScoutSection
component, this import has been updated from an absolute path to a relative one, maintaining consistency in the refactoring approach across components. This change contributes to a more modular organization of the codebase.frontend/src/app/brand-assets/components/Colors/ColorCard.tsx (2)
3-4
: Added clsx for improved class name managementAdding the
clsx
utility is a good practice for managing component class names, especially when dealing with multiple classes or conditional styling.
13-16
: Improved className structure with clsxThe refactoring of className to use
clsx
improves code readability by organizing the classes into a more structured format. This approach makes the code more maintainable and will make it easier to add conditional classes in the future if needed.
<CtaCard | ||
className="max-w-[583px] [&>p]:mb-14 [&>p]:text-base" | ||
key={fontsData.linkCard.title} | ||
title={fontsData.linkCard.title} | ||
description={fontsData.linkCard.subtitle} | ||
arrowLink={fontsData.linkCard.link} | ||
/> |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
🛠️ Refactor suggestion
Avoid using title as a key and consider more robust styling.
Using the title as a React key can lead to issues if titles change or if you have multiple cards with the same title. Additionally, direct child selectors in styling make the component more brittle to changes in the CtaCard's internal structure.
For the key issue:
<CtaCard
className="max-w-[583px] [&>p]:mb-14 [&>p]:text-base"
- key={fontsData.linkCard.title}
+ key="fonts-cta-card" // Since there's only one card, a static key is sufficient
title={fontsData.linkCard.title}
description={fontsData.linkCard.subtitle}
arrowLink={fontsData.linkCard.link}
/>
And consider adding a more robust approach to styling by using a specific class name instead of direct child selectors, which would require changes to the CtaCard component as well.
📝 Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
<CtaCard | |
className="max-w-[583px] [&>p]:mb-14 [&>p]:text-base" | |
key={fontsData.linkCard.title} | |
title={fontsData.linkCard.title} | |
description={fontsData.linkCard.subtitle} | |
arrowLink={fontsData.linkCard.link} | |
/> | |
<CtaCard | |
className="max-w-[583px] [&>p]:mb-14 [&>p]:text-base" | |
key="fonts-cta-card" // Since there's only one card, a static key is sufficient | |
title={fontsData.linkCard.title} | |
description={fontsData.linkCard.subtitle} | |
arrowLink={fontsData.linkCard.link} | |
/> |
const heroData = await request<IHeroQuery>(heroQuery); | ||
const logosPackageData = await request<ILogosPackageQuery>(logosPackageQuery); | ||
const logosSection = await request<ILogosQuery>(logosQuery); | ||
const fontsSection = await request<IFontsQuery>(fontsQuery); | ||
const colorsSection = await request<IColorsQuery>(colorsQuery); | ||
const badgesSection = await request<IBadgesQuery>(badgesQuery); | ||
const styledImagesSection = | ||
await request<IStyledImagesQuery>(styledImagesQuery); | ||
const pnkTokenSection = await request<IPnkTokenQuery>(pnkTokenQuery); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
🛠️ Refactor suggestion
Clean data fetching implementation
The data fetching implementation is well-structured with each component's data being fetched independently using the appropriate query. This organization makes it clear which data belongs to which component.
However, there's no error handling for these GraphQL requests, which could cause the entire page to fail if any single request fails.
Consider implementing try/catch blocks for each request:
- const heroData = await request<IHeroQuery>(heroQuery);
+ let heroData;
+ try {
+ heroData = await request<IHeroQuery>(heroQuery);
+ } catch (error) {
+ console.error("Failed to fetch hero data:", error);
+ heroData = { brandAssetsPageHero: DEFAULT_HERO_DATA };
+ }
You should define fallback data for each section to ensure the page can still render even if some data fetching fails.
📝 Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
const heroData = await request<IHeroQuery>(heroQuery); | |
const logosPackageData = await request<ILogosPackageQuery>(logosPackageQuery); | |
const logosSection = await request<ILogosQuery>(logosQuery); | |
const fontsSection = await request<IFontsQuery>(fontsQuery); | |
const colorsSection = await request<IColorsQuery>(colorsQuery); | |
const badgesSection = await request<IBadgesQuery>(badgesQuery); | |
const styledImagesSection = | |
await request<IStyledImagesQuery>(styledImagesQuery); | |
const pnkTokenSection = await request<IPnkTokenQuery>(pnkTokenQuery); | |
let heroData; | |
try { | |
heroData = await request<IHeroQuery>(heroQuery); | |
} catch (error) { | |
console.error("Failed to fetch hero data:", error); | |
heroData = { brandAssetsPageHero: DEFAULT_HERO_DATA }; | |
} | |
const logosPackageData = await request<ILogosPackageQuery>(logosPackageQuery); | |
const logosSection = await request<ILogosQuery>(logosQuery); | |
const fontsSection = await request<IFontsQuery>(fontsQuery); | |
const colorsSection = await request<IColorsQuery>(colorsQuery); | |
const badgesSection = await request<IBadgesQuery>(badgesQuery); | |
const styledImagesSection = | |
await request<IStyledImagesQuery>(styledImagesQuery); | |
const pnkTokenSection = await request<IPnkTokenQuery>(pnkTokenQuery); |
Summary by CodeRabbit
New Features
Refactor