Skip to content
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

fix: client-only for sentences #6

Merged
merged 1 commit into from
Dec 16, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 0 additions & 1 deletion .env

This file was deleted.

3 changes: 2 additions & 1 deletion apps/ziyo-fe/.env
Original file line number Diff line number Diff line change
@@ -1 +1,2 @@
NEXT_PUBLIC_API_URL=https://ziyo.nourman.com
NEXT_PUBLIC_API_URL=https://ziyo.nourman.com
NEXT_PUBLIC_GTM_ID=G-5LPXCW9V8C
8 changes: 8 additions & 0 deletions apps/ziyo-fe/next.config.js
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,14 @@ const nextConfig = {
svgr: false,
},
transpilePackages: ['@ziyo/ui', 'lucide-react'],
webpack: (config) => {
config.resolve.fallback = {
...config.resolve.fallback,
net: false,
os: false,
};
return config;
},
};

const plugins = [
Expand Down
12 changes: 8 additions & 4 deletions apps/ziyo-fe/src/components/Ruby.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -8,9 +8,10 @@ import useSettings from '../hooks/useSettings';

type RubyProps = {
rubyString: string;
currentChar: string;
};

export function Ruby({ rubyString }: RubyProps) {
export function Ruby({ rubyString, currentChar }: RubyProps) {
const {
settings: { preferLatin },
} = useSettings();
Expand All @@ -19,7 +20,7 @@ export function Ruby({ rubyString }: RubyProps) {

const elements = parts.map((part, index) => {
if (index % 2 === 1) {
const [word, ..._readings] = part.split('|');
const [word, ..._readings] = part.split('|') as [string, ...string[]];

const readings = preferLatin
? _readings.map((r) => toRomaji(r))
Expand Down Expand Up @@ -53,10 +54,13 @@ export function Ruby({ rubyString }: RubyProps) {

return readings.map((reading, i) => (
<ruby key={i}>
{isHan(word[i]) ? (
{isHan(word[i]!) ? (
<Link
href={`/kanji/${word[i]}`}
className="decoration-clone text-kiiro-800 underline decoration-kiiro-700 underline-offset-4 hover:no-underline"
className={cn(
'decoration-clone text-kiiro-800 underline decoration-kiiro-700 underline-offset-4 hover:no-underline',
currentChar === word[i] ? 'text-kiiro-700' : 'text-kiiro-900',
)}
>
{word[i]}
</Link>
Expand Down
24 changes: 24 additions & 0 deletions apps/ziyo-fe/src/hooks/query/useGetSentenceList.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
import { useQuery } from '@tanstack/react-query';
import type { TatoebaResponse } from '@ziyo/types';

export function useGetSentenceList({
query,
}: {
query: {
character: string;
};
}) {
return useQuery({
queryKey: ['sentence-list', query],
queryFn: async () => {
const res = await fetch(
`https://api.tatoeba.org/unstable/sentences?lang=jpn&q=${decodeURIComponent(
query.character,
)}&trans=eng&include_unapproved=yes&sort=relevance&limit=20`,
);

return (await res.json()) as TatoebaResponse;
},
enabled: !!query.character && query.character.length > 0,
});
}
49 changes: 19 additions & 30 deletions apps/ziyo-fe/src/pages/kanji/[character]/index.tsx
Original file line number Diff line number Diff line change
@@ -1,4 +1,3 @@
import { TatoebaResponse } from '@ziyo/types';
import {
Tooltip,
TooltipContent,
Expand All @@ -18,6 +17,7 @@ import { ReadingChip } from '../../../components/ReadingChip';
import { Ruby } from '../../../components/Ruby';
import { Search } from '../../../components/Search';
import { Settings } from '../../../components/Settings';
import { useGetSentenceList } from '../../../hooks/query/useGetSentenceList';
import { api } from '../../../lib/api';

export const VariantChip = ({
Expand Down Expand Up @@ -49,31 +49,17 @@ export const getServerSideProps = async ({
if (!character || Array.isArray(character)) return { notFound: true };

try {
const _kanji = api.kanji.one
const kanji = await api.kanji.one
.$get({
query: {
character: decodeURIComponent(character),
},
})
.then(async (res) => (await res.json()).data);

const _sentences = fetch(
`https://tatoeba.org/en/api_v0/search?from=jpn&has_audio=&list=3185&native=&orphans=no&query=${decodeURIComponent(
character,
)}&sort=random&sort_reverse=&tags=&to=eng&trans_filter=limit&trans_has_audio=&trans_link=&trans_orphan=&trans_to=eng&trans_unapproved=&trans_user=&unapproved=no&user=&word_count_max=&word_count_min=5`,
{
next: {
revalidate: 0,
},
},
).then(async (res) => TatoebaResponse.parse(await res.json()));

const [kanji, sentences] = await Promise.all([_kanji, _sentences]);

return {
props: {
kanji,
sentences,
},
};
} catch (e) {
Expand All @@ -86,17 +72,18 @@ export const getServerSideProps = async ({

export default function KanjiPage({
kanji,
sentences: _sentences,
}: InferGetServerSidePropsType<typeof getServerSideProps>) {
const sentences = _sentences.results.map((s) => {
return {
id: s.id,
text: s.transcriptions[0]?.text,
translation: s.translations[0]?.[0]?.text || (
<span className="italic">No translation available</span>
),
};
const { data: _sentences } = useGetSentenceList({
query: { character: kanji.literal },
});
const sentences = (_sentences?.data ?? []).map((s) => ({
id: s.id,
text: s.transcriptions.flatMap((t) => t.text)[0] ?? '',
translation: s.translations
.flat(2)
.map((t) => t.text)
.slice(0, 5),
}));

const [hoveredVariants, setHoveredVariants] = useState<{
lang: string;
Expand Down Expand Up @@ -198,7 +185,7 @@ export default function KanjiPage({
voice="jp_001"
lang="ja"
text={onyomi}
latin={kanji.reading_ja_onyomi_latin[onyomiIdx]}
latin={kanji.reading_ja_onyomi_latin[onyomiIdx]!}
className="bg-rose-100 text-gray-900 hover:bg-rose-700 hover:text-gray-100"
/>
))}
Expand All @@ -219,7 +206,7 @@ export default function KanjiPage({
voice="jp_001"
lang="ja"
text={kunyomi}
latin={kanji.reading_ja_kunyomi_latin[kunyomiIdx]}
latin={kanji.reading_ja_kunyomi_latin[kunyomiIdx]!}
other={kunyomi.replace(/^[^.]*\./, kanji.literal)}
className="bg-kiiro-200 text-gray-900 hover:bg-kiiro-800 hover:text-gray-100"
/>
Expand Down Expand Up @@ -262,7 +249,7 @@ export default function KanjiPage({
voice="kr_002"
lang="ko"
text={hangeul}
latin={kanji.reading_ko_latin[hangeulIdx]}
latin={kanji.reading_ko_latin[hangeulIdx]!}
className="bg-blue-100 text-gray-900 hover:bg-blue-600 hover:text-gray-100"
/>
))}
Expand Down Expand Up @@ -305,8 +292,10 @@ export default function KanjiPage({
</span>
{sentences.map((s) => (
<div key={s.id} lang="ja" className="flex flex-col">
<Ruby rubyString={s.text} />
<span className="text-sm">{s.translation}</span>
<Ruby rubyString={s.text} currentChar={kanji.literal} />
<span className="text-sm">
{s.translation.map((s) => `"${s}"`).join(', ')}
</span>
</div>
))}
</section>
Expand Down
1 change: 1 addition & 0 deletions apps/ziyo-fe/tsconfig.json
Original file line number Diff line number Diff line change
Expand Up @@ -6,6 +6,7 @@
"esModuleInterop": true,
"allowSyntheticDefaultImports": true,
"strict": true,
"noUncheckedIndexedAccess": true,
"forceConsistentCasingInFileNames": true,
"noEmit": true,
"resolveJsonModule": true,
Expand Down
73 changes: 20 additions & 53 deletions libs/types/src/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -49,78 +49,45 @@ export const ArrayWithTotalCount = <T extends z.ZodArray<z.AnyZodObject>>(
};

export const TatoebaResponse = z.object({
paging: z.object({
Sentences: z.object({
finder: z.string(),
page: z.number(),
current: z.number(),
count: z.number(),
perPage: z.number(),
start: z.number(),
end: z.number(),
prevPage: z.boolean(),
nextPage: z.boolean(),
pageCount: z.number(),
sort: z.string(),
direction: z.boolean(),
sortDefault: z.boolean(),
directionDefault: z.boolean(),
}),
}),
results: z.array(
data: z.array(
z.object({
id: z.number(),
text: z.string(),
lang: z.string(),
correctness: z.number(),
script: z.any(),
license: z.string(),
transcriptions: z.array(
z.object({
script: z.string(),
text: z.string(),
needsReview: z.boolean(),
type: z.string(),
html: z.string(),
}),
),
audios: z.array(z.any()),
translations: z.array(
z.array(
z.object({
id: z.number(),
text: z.string(),
lang: z.string(),
correctness: z.number(),
script: z.any(),
license: z.string(),
transcriptions: z.array(z.any()),
audios: z.array(
z.object({
id: z.number(),
author: z.string(),
sentence_id: z.number().optional(),
attribution_url: z.string(),
license: z.string(),
download_url: z.string(),
}),
),
isDirect: z.boolean().optional(),
lang_name: z.string(),
dir: z.string(),
lang_tag: z.string(),
owner: z.string().optional(),
}),
),
),
transcriptions: z.array(
z.object({
id: z.number(),
sentence_id: z.number(),
script: z.string(),
text: z.string(),
needsReview: z.boolean(),
modified: z.string(),

readonly: z.boolean(),
type: z.string(),
html: z.string(),
info_message: z.string(),
}),
),
audios: z.array(
z.object({
id: z.number(),
author: z.string(),
}),
),
lang_name: z.string(),
dir: z.string(),
lang_tag: z.string(),
is_owned_by_current_user: z.boolean(),
max_visible_translations: z.number(),
owner: z.string().optional(),
}),
),
});
Expand Down
Loading